diff --git a/app/Models/Account.php b/app/Models/Account.php
index 5d4b5c9d78e8..3abc8ea3c6dc 100644
--- a/app/Models/Account.php
+++ b/app/Models/Account.php
@@ -3,8 +3,155 @@
namespace App\Models;
use Illuminate\Database\Eloquent\Model;
+use App\Models\Traits;
class Account extends Model
{
- //
+ use AccountTrait;
+
+ protected $fillable = [
+ 'timezone_id',
+ 'currency_id',
+ 'name',
+ 'address1',
+ 'address2',
+ 'city',
+ 'state',
+ 'postal_code',
+ 'country_id',
+ 'industry_id',
+ 'work_phone',
+ 'work_email',
+ 'language_id',
+ 'vat_number',
+ 'id_number',
+ 'tax_name1',
+ 'tax_rate1',
+ 'tax_name2',
+ 'tax_rate2',
+ 'website',
+ ];
+
+
+
+
+
+
+ public function users()
+ {
+ return $this->hasMany(User::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\HasMany
+ */
+ public function clients()
+ {
+ return $this->hasMany(Client::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\HasMany
+ */
+ public function contacts()
+ {
+ return $this->hasMany(Contact::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\HasMany
+ */
+ public function invoices()
+ {
+ return $this->hasMany(Invoice::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\HasMany
+ */
+ public function account_gateways()
+ {
+ return $this->hasMany(AccountGateway::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\HasMany
+ */
+ public function tax_rates()
+ {
+ return $this->hasMany(TaxRate::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\HasMany
+ */
+ public function products()
+ {
+ return $this->hasMany(Product::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\BelongsTo
+ */
+ public function country()
+ {
+ return $this->belongsTo(Country::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\BelongsTo
+ */
+ public function timezone()
+ {
+ return $this->belongsTo(Timezone::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\BelongsTo
+ */
+ public function language()
+ {
+ return $this->belongsTo(Language::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\BelongsTo
+ */
+ public function currency()
+ {
+ return $this->belongsTo(Currency::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\BelongsTo
+ */
+ public function industry()
+ {
+ return $this->belongsTo(Industry::class);
+ }
+
+ /**
+ * @return \Illuminate\Database\Eloquent\Relations\BelongsTo
+ */
+ public function payment_type()
+ {
+ return $this->belongsTo(PaymentType::class);
+ }
+
+ /**
+ * @return mixed
+ */
+ public function expenses()
+ {
+ return $this->hasMany(Expense::class, 'account_id', 'id')->withTrashed();
+ }
+
+ /**
+ * @return mixed
+ */
+ public function payments()
+ {
+ return $this->hasMany(Payment::class, 'account_id', 'id')->withTrashed();
+ }
+
}
diff --git a/app/Models/AccountGateway.php b/app/Models/AccountGateway.php
new file mode 100644
index 000000000000..21aed35e119b
--- /dev/null
+++ b/app/Models/AccountGateway.php
@@ -0,0 +1,10 @@
+name) {
+ return $this->name;
+ }
+
+ $user = $this->users()->first();
+
+ return $user->getDisplayName();
+ }
+}
\ No newline at end of file
diff --git a/app/Models/Traits/UserTrait.php b/app/Models/Traits/UserTrait.php
new file mode 100644
index 000000000000..aeb850cc79cf
--- /dev/null
+++ b/app/Models/Traits/UserTrait.php
@@ -0,0 +1,34 @@
+getFullName()) {
+ return $this->getFullName();
+ } elseif ($this->email) {
+ return $this->email;
+ } else {
+ return trans('texts.guest');
+ }
+ }
+
+ /**
+ * @return string
+ */
+ public function getFullName()
+ {
+ if ($this->first_name || $this->last_name) {
+ return $this->first_name.' '.$this->last_name;
+ } else {
+ return '';
+ }
+ }
+
+}
\ No newline at end of file
diff --git a/app/Models/User.php b/app/Models/User.php
index 768441b0e9b5..bbbbba980099 100644
--- a/app/Models/User.php
+++ b/app/Models/User.php
@@ -2,6 +2,7 @@
namespace App\Models;
+use Illuminate\Database\Eloquent\SoftDeletes;
use Illuminate\Notifications\Notifiable;
use Illuminate\Contracts\Auth\MustVerifyEmail;
use Illuminate\Foundation\Auth\User as Authenticatable;
@@ -9,6 +10,7 @@ use Illuminate\Foundation\Auth\User as Authenticatable;
class User extends Authenticatable
{
use Notifiable;
+ use SoftDeletes;
protected $guard = 'user';
/**
@@ -17,7 +19,13 @@ class User extends Authenticatable
* @var array
*/
protected $fillable = [
- 'first_name', 'last_name', 'email', 'password',
+ 'first_name',
+ 'last_name',
+ 'email',
+ 'password',
+ 'phone',
+ 'signature',
+ 'avatar',
];
/**
@@ -26,6 +34,32 @@ class User extends Authenticatable
* @var array
*/
protected $hidden = [
- 'password', 'remember_token',
+ 'password',
+ 'remember_token',
+ 'confirmation_code',
+ 'oauth_user_id',
+ 'oauth_provider_id',
+ 'google_2fa_secret',
+ 'google_2fa_phone',
+ 'remember_2fa_token',
+ 'slack_webhook_url',
];
+
+ public function user_accounts()
+ {
+ return $this->hasMany(UserAccount::class);
+ }
+
+ public function contacts()
+ {
+ return $this->hasMany(Contact::class);
+ }
+
+
+
+
+ public function owns($entity)
+ {
+ return ! empty($entity->user_id) && $entity->user_id == $this->id;
+ }
}
diff --git a/app/POPO/InvoiceItem.php b/app/POPO/InvoiceItem.php
new file mode 100644
index 000000000000..0002e47fda83
--- /dev/null
+++ b/app/POPO/InvoiceItem.php
@@ -0,0 +1,33 @@
+increments('id');
- $table->string('name')->nullable();
- $table->timestamps();
- $table->softDeletes();
- });
-
- Schema::create('users', function (Blueprint $table) {
- $table->increments('id');
- $table->unsignedInteger('account_id')->index();
- $table->string('first_name')->nullable();
- $table->string('last_name')->nullable();
- $table->string('phone')->nullable();
- $table->string('email')->unique();
- $table->timestamp('email_verified_at')->nullable();
- $table->string('confirmation_code')->nullable();
- $table->boolean('registered')->default(false);
- $table->boolean('confirmed')->default(false);
- $table->integer('theme_id')->nullable();
- $table->smallInteger('failed_logins')->nullable();
- $table->string('referral_code')->nullable();
- $table->string('oauth_user_id')->nullable()->unique();
- $table->unsignedInteger('oauth_provider_id')->nullable()->unique();
- $table->string('google_2fa_secret')->nullable();
- $table->string('accepted_terms_version')->nullable();
- $table->string('avatar', 255)->default('');
- $table->unsignedInteger('avatar_width')->nullable();
- $table->unsignedInteger('avatar_height')->nullable();
- $table->unsignedInteger('avatar_size')->nullable();
- $table->text('signature');
- $table->string('password');
- $table->rememberToken();
- $table->timestamps();
- $table->softDeletes();
-
- $table->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
-
- });
-
- Schema::create('clients', function (Blueprint $table) {
-
- $table->increments('id');
- $table->unsignedInteger('account_id')->index();
- $table->string('name')->nullable();
-
- $table->timestamps();
- $table->softDeletes();
-
- $table->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
-
- });
-
- Schema::create('contacts', function (Blueprint $table) {
- $table->increments('id');
- $table->unsignedInteger('account_id')->index();
- $table->unsignedInteger('client_id')->index();
- $table->string('first_name')->nullable();
- $table->string('last_name')->nullable();
- $table->string('phone')->nullable();
- $table->string('email')->unique();
- $table->timestamp('email_verified_at')->nullable();
- $table->string('confirmation_code')->nullable();
- $table->boolean('registered')->default(false);
- $table->boolean('confirmed')->default(false);
- $table->smallInteger('failed_logins')->nullable();
- $table->string('oauth_user_id')->nullable()->unique();
- $table->unsignedInteger('oauth_provider_id')->nullable()->unique();
- $table->string('google_2fa_secret')->nullable();
- $table->string('accepted_terms_version')->nullable();
- $table->string('avatar', 255)->default('');
- $table->unsignedInteger('avatar_width')->nullable();
- $table->unsignedInteger('avatar_height')->nullable();
- $table->unsignedInteger('avatar_size')->nullable();
- $table->string('password');
- $table->rememberToken();
- $table->timestamps();
- $table->softDeletes();
-
- $table->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
- $table->foreign('client_id')->references('id')->on('clients')->onDelete('cascade');
-
- });
-
-
- Schema::create('user_accounts', function (Blueprint $table) {
- $table->increments('id');
- $table->unsignedInteger('account_id')->index();
- $table->unsignedInteger('user_id')->index();
- $table->text('permissions');
- $table->boolean('is_owner');
- $table->boolean('is_admin');
- $table->boolean('is_locked'); // locks user out of account
- $table->boolean('is_default'); //default account to present to the user
-
- $table->timestamps();
- $table->softDeletes();
-
- $table->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
- $table->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
-
- });
-
- Schema::create('account_gateways', function($t)
- {
- $t->increments('id');
- $t->unsignedInteger('account_id');
- $t->unsignedInteger('user_id');
- $t->unsignedInteger('gateway_id');
- $t->timestamps();
- $t->softDeletes();
-
- $t->text('config');
-
- $t->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
- //$t->foreign('gateway_id')->references('id')->on('gateways');
- $t->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
-
- $t->unique( array('account_id') );
- });
-
-
- }
-
- /**
- * Reverse the migrations.
- *
- * @return void
- */
- public function down()
- {
- Schema::dropIfExists('contacts');
- Schema::dropIfExists('clients');
- Schema::dropIfExists('account_gateways');
- Schema::dropIfExists('user_accounts');
- Schema::dropIfExists('users');
- Schema::dropIfExists('accounts');
- }
-
-
-}
\ No newline at end of file
diff --git a/database/migrations/2014_10_13_000000_create_users_table.php b/database/migrations/2014_10_13_000000_create_users_table.php
new file mode 100644
index 000000000000..be2b45a702f6
--- /dev/null
+++ b/database/migrations/2014_10_13_000000_create_users_table.php
@@ -0,0 +1,506 @@
+increments('id');
+ $table->string('capital', 255)->nullable();
+ $table->string('citizenship', 255)->nullable();
+ $table->string('country_code', 3)->default('');
+ $table->string('currency', 255)->nullable();
+ $table->string('currency_code', 255)->nullable();
+ $table->string('currency_sub_unit', 255)->nullable();
+ $table->string('full_name', 255)->nullable();
+ $table->string('iso_3166_2', 2)->default('');
+ $table->string('iso_3166_3', 3)->default('');
+ $table->string('name', 255)->default('');
+ $table->string('region_code', 3)->default('');
+ $table->string('sub_region_code', 3)->default('');
+ $table->boolean('eea')->default(0);
+ });
+
+ Schema::create('payment_types', function ($table) {
+ $table->increments('id');
+ $table->string('name');
+ });
+
+ Schema::create('timezones', function ($table) {
+ $table->increments('id');
+ $table->string('name');
+ $table->string('location');
+ $table->integer('utc_offset');
+ });
+
+ Schema::create('currencies', function ($table) {
+ $table->increments('id');
+ $table->string('name');
+ $table->string('symbol');
+ $table->string('precision');
+ $table->string('thousand_separator');
+ $table->string('decimal_separator');
+ $table->string('code');
+ });
+
+ Schema::create('sizes', function ($table) {
+ $table->increments('id');
+ $table->string('name');
+ });
+
+ Schema::create('industries', function ($table) {
+ $table->increments('id');
+ $table->string('name');
+ });
+
+ Schema::create('gateways', function ($table) {
+ $table->increments('id');
+ $table->timestamps();
+ $table->string('name');
+ $table->string('provider');
+ $table->boolean('visible')->default(true);
+ });
+
+
+ Schema::create('accounts', function (Blueprint $table) {
+ $table->increments('id');
+ $table->string('name')->nullable();
+ $table->unsignedInteger('timezone_id')->nullable();
+ $table->unsignedInteger('currency_id')->nullable();
+ $table->string('ip');
+ $table->string('account_key')->unique();
+ $table->timestamp('last_login')->nullable();
+ $table->string('address1')->nullable();
+ $table->string('address2')->nullable();
+ $table->string('city')->nullable();
+ $table->string('state')->nullable();
+ $table->string('postal_code')->nullable();
+ $table->string('work_phone')->nullable();
+ $table->string('work_email')->nullable();
+ $table->unsignedInteger('country_id')->nullable();
+ $table->unsignedInteger('industry_id')->nullable();
+ $table->unsignedInteger('size_id')->nullable();
+ $table->string('subdomain')->nullable();
+
+ $table->timestamps();
+ $table->softDeletes();
+
+ $table->foreign('timezone_id')->references('id')->on('timezones');
+ $table->foreign('country_id')->references('id')->on('countries');
+ $table->foreign('currency_id')->references('id')->on('currencies');
+ $table->foreign('industry_id')->references('id')->on('industries');
+ $table->foreign('size_id')->references('id')->on('sizes');
+ });
+
+ Schema::create('user_accounts', function (Blueprint $table) {
+ $table->increments('id');
+ $table->unsignedInteger('account_id')->index();
+ $table->unsignedInteger('user_id')->index();
+ $table->text('permissions');
+ $table->boolean('is_owner');
+ $table->boolean('is_admin');
+ $table->boolean('is_locked'); // locks user out of account
+ $table->boolean('is_default'); //default account to present to the user
+
+ $table->timestamps();
+ $table->softDeletes();
+
+ $table->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
+
+
+ });
+
+ Schema::create('users', function (Blueprint $table) {
+ $table->increments('id');
+ $table->string('first_name')->nullable();
+ $table->string('last_name')->nullable();
+ $table->string('phone')->nullable();
+ $table->string('email')->unique();
+ $table->timestamp('email_verified_at')->nullable();
+ $table->string('confirmation_code')->nullable();
+ $table->boolean('registered')->default(false);
+ $table->boolean('confirmed')->default(false);
+ $table->integer('theme_id')->nullable();
+ $table->smallInteger('failed_logins')->nullable();
+ $table->string('referral_code')->nullable();
+ $table->string('oauth_user_id')->nullable()->unique();
+ $table->unsignedInteger('oauth_provider_id')->nullable()->unique();
+ $table->string('google_2fa_secret')->nullable();
+ $table->string('accepted_terms_version')->nullable();
+ $table->string('avatar', 255)->default('');
+ $table->unsignedInteger('avatar_width')->nullable();
+ $table->unsignedInteger('avatar_height')->nullable();
+ $table->unsignedInteger('avatar_size')->nullable();
+ $table->text('signature');
+ $table->string('password');
+ $table->rememberToken();
+
+ $table->timestamps();
+ $table->softDeletes();
+
+ //$table->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
+
+ });
+
+ Schema::create('clients', function (Blueprint $table) {
+
+ $table->increments('id');
+ $table->unsignedInteger('account_id')->index();
+ $table->unsignedInteger('user_id')->index();
+
+ $table->string('name')->nullable();
+ $table->string('website')->nullable();
+ $table->text('private_notes')->nullable();
+ $table->decimal('balance', 13, 2)->nullable();
+ $table->decimal('paid_to_date', 13, 2)->nullable();
+ $table->timestamp('last_login')->nullable();
+ $table->unsignedInteger('industry_id')->nullable();
+ $table->unsignedInteger('size_id')->nullable();
+ $table->unsignedInteger('currency_id')->nullable();
+
+ $table->boolean('is_deleted')->default(false);
+ $table->string('payment_terms')->nullable(); //todo type? depends how we are storing this
+
+ $table->timestamps();
+ $table->softDeletes();
+
+ $table->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
+ $table->foreign('industry_id')->references('id')->on('industries');
+ $table->foreign('size_id')->references('id')->on('sizes');
+ $table->foreign('currency_id')->references('id')->on('currencies');
+
+ });
+
+ Schema::create('client_locations', function (Blueprint $table) {
+ $table->increments('id');
+ $table->unsignedInteger('client_id')->index();
+ $table->string('address1')->nullable();
+ $table->string('address2')->nullable();
+ $table->string('city')->nullable();
+ $table->string('state')->nullable();
+ $table->string('postal_code')->nullable();
+ $table->unsignedInteger('country_id')->nullable();
+ $table->string('phone')->nullable();
+ $table->decimal('latitude', 11, 8)->nullable();
+ $table->decimal('longitude', 11, 8)->nullable();
+ $table->boolean('is_primary')->default(false);
+ $table->text('description')->nullable();
+ $table->text('private_notes')->nullable();
+
+ $table->foreign('client_id')->references('id')->on('clients')->onDelete('cascade');
+ $table->foreign('country_id')->references('id')->on('countries');
+
+
+ });
+
+ Schema::create('contacts', function (Blueprint $table) {
+ $table->increments('id');
+ $table->unsignedInteger('account_id')->index();
+ $table->unsignedInteger('client_id')->index();
+ $table->unsignedInteger('user_id')->index();
+ $table->string('first_name')->nullable();
+ $table->string('last_name')->nullable();
+ $table->string('phone')->nullable();
+ $table->string('email')->unique(); //todo handle one contact across many accounts ?
+ $table->timestamp('email_verified_at')->nullable();
+ $table->string('confirmation_code')->nullable();
+ $table->boolean('registered')->default(false);
+ $table->boolean('confirmed')->default(false);
+ $table->smallInteger('failed_logins')->nullable();
+ $table->string('oauth_user_id')->nullable()->unique();
+ $table->unsignedInteger('oauth_provider_id')->nullable()->unique();
+ $table->string('google_2fa_secret')->nullable();
+ $table->string('accepted_terms_version')->nullable();
+ $table->string('avatar', 255)->default('');
+ $table->unsignedInteger('avatar_width')->nullable();
+ $table->unsignedInteger('avatar_height')->nullable();
+ $table->unsignedInteger('avatar_size')->nullable();
+ $table->string('password');
+ $table->rememberToken();
+ $table->timestamps();
+ $table->softDeletes();
+
+ $table->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
+ $table->foreign('client_id')->references('id')->on('clients')->onDelete('cascade');
+
+ });
+
+
+ Schema::create('account_gateways', function($table)
+ {
+ $table->increments('id');
+ $table->unsignedInteger('account_id')->unique();
+ $table->unsignedInteger('user_id');
+ $table->unsignedInteger('gateway_id');
+ $table->boolean('show_address')->default(true)->nullable();
+ $table->boolean('update_address')->default(true)->nullable();
+ $table->text('config');
+
+ $table->timestamps();
+ $table->softDeletes();
+
+
+ $table->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
+ $table->foreign('gateway_id')->references('id')->on('gateways');
+ $table->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
+
+ });
+
+
+ Schema::create('invoices', function ($t) {
+ $t->increments('id');
+ $t->unsignedInteger('client_id')->index();
+ $t->unsignedInteger('user_id');
+ $t->unsignedInteger('account_id')->index();
+ $t->unsignedInteger('invoice_status_id');
+
+ $t->string('invoice_number');
+ $t->float('discount');
+ $t->boolean('is_amount_discount');
+
+ $t->string('po_number');
+ $t->date('invoice_date')->nullable();
+ $t->date('due_date')->nullable();
+
+ $t->boolean('is_deleted')->default(false);
+
+ $t->text('line_items')->nullable();
+ $t->text('options')->nullable();
+ $t->text('backup')->nullable();
+
+ $t->string('tax_name1');
+ $t->decimal('tax_rate1', 13, 3);
+
+ $t->decimal('amount', 13, 2);
+ $t->decimal('balance', 13, 2);
+ $t->decimal('partial', 13, 2)->nullable();
+
+ $t->foreign('client_id')->references('id')->on('clients')->onDelete('cascade');
+ $t->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
+ $t->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
+
+ $t->timestamps();
+ $t->softDeletes();
+
+ $t->unique(['account_id', 'client_id']);
+ });
+
+ Schema::create('invitations', function ($t) {
+ $t->increments('id');
+ $t->unsignedInteger('account_id');
+ $t->unsignedInteger('user_id');
+ $t->unsignedInteger('contact_id');
+ $t->unsignedInteger('invoice_id')->index();
+ $t->string('invitation_key')->index()->unique();
+ $t->timestamps();
+ $t->softDeletes();
+
+ $t->string('transaction_reference')->nullable();
+ $t->timestamp('sent_date')->nullable();
+ $t->timestamp('viewed_date')->nullable();
+
+ $t->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
+ $t->foreign('contact_id')->references('id')->on('contacts')->onDelete('cascade');
+ $t->foreign('invoice_id')->references('id')->on('invoices')->onDelete('cascade');
+
+ });
+
+
+ Schema::create('tax_rates', function ($t) {
+ $t->increments('id');
+ $t->unsignedInteger('account_id')->index();
+ $t->unsignedInteger('user_id');
+ $t->timestamps();
+ $t->softDeletes();
+
+ $t->string('name')->unique();
+ $t->decimal('rate', 13, 3);
+
+ $t->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
+ $t->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
+
+ });
+
+
+ Schema::create('products', function ($t) {
+ $t->increments('id');
+ $t->unsignedInteger('account_id')->index();
+ $t->unsignedInteger('user_id');
+
+
+ $t->string('product_key');
+ $t->text('notes');
+ $t->decimal('cost', 13, 2);
+ $t->decimal('qty', 13, 2)->nullable();
+
+ $t->unsignedInteger('stock_level');
+ $t->unsignedInteger('min_stock_level');
+
+ $t->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
+ $t->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
+
+
+ $t->timestamps();
+ $t->softDeletes();
+ });
+
+
+ Schema::create('payments', function ($t) {
+ $t->increments('id');
+ $t->unsignedInteger('invoice_id')->nullable()->index(); //todo handle payments where there is no invoice OR we are paying MULTIPLE invoices
+ $t->unsignedInteger('account_id')->index();
+ $t->unsignedInteger('client_id')->index();
+ $t->unsignedInteger('contact_id')->nullable();
+ $t->unsignedInteger('invitation_id')->nullable();
+ $t->unsignedInteger('user_id')->nullable();
+ $t->unsignedInteger('account_gateway_id')->nullable();
+ $t->unsignedInteger('payment_type_id')->nullable();
+ $t->timestamps();
+ $t->softDeletes();
+
+ $t->boolean('is_deleted')->default(false);
+ $t->decimal('amount', 13, 2);
+ $t->date('payment_date')->nullable();
+ $t->string('transaction_reference')->nullable();
+ $t->string('payer_id')->nullable();
+
+ $t->foreign('invoice_id')->references('id')->on('invoices')->onDelete('cascade');
+ $t->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
+ $t->foreign('client_id')->references('id')->on('clients')->onDelete('cascade');
+ $t->foreign('contact_id')->references('id')->on('contacts')->onDelete('cascade');
+ $t->foreign('account_gateway_id')->references('id')->on('account_gateways')->onDelete('cascade');
+ $t->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
+ ;
+ $t->foreign('payment_type_id')->references('id')->on('payment_types');
+
+ });
+
+ Schema::create('languages', function ($table) {
+ $table->increments('id');
+ $table->string('name');
+ $table->string('locale');
+ });
+
+ Schema::table('accounts', function ($table) {
+ $table->unsignedInteger('language_id')->default(1);
+ $table->foreign('language_id')->references('id')->on('languages');
+ });
+
+ Schema::create('payment_libraries', function ($t) {
+ $t->increments('id');
+ $t->timestamps();
+
+ $t->string('name');
+ $t->boolean('visible')->default(true);
+ });
+
+ Schema::table('gateways', function ($table) {
+ $table->unsignedInteger('payment_library_id')->default(1);
+ $table->unsignedInteger('sort_order')->default(10000);
+ $table->boolean('recommended')->default(0);
+ $table->string('site_url', 200)->nullable();
+ });
+
+ DB::table('gateways')->update(['payment_library_id' => 1]);
+
+ Schema::table('gateways', function ($table) {
+ $table->foreign('payment_library_id')->references('id')->on('payment_libraries')->onDelete('cascade');
+ });
+
+ Schema::table('accounts', function ($table) {
+ $table->string('custom_label1')->nullable();
+ $table->string('custom_value1')->nullable();
+
+ $table->string('custom_label2')->nullable();
+ $table->string('custom_value2')->nullable();
+
+ $table->string('custom_client_label1')->nullable();
+ $table->string('custom_client_label2')->nullable();
+ });
+
+ Schema::table('clients', function ($table) {
+ $table->string('custom_value1')->nullable();
+ $table->string('custom_value2')->nullable();
+ });
+
+ Schema::table('accounts', function ($table) {
+ $table->string('vat_number')->nullable();
+ });
+
+ Schema::table('clients', function ($table) {
+ $table->string('vat_number')->nullable();
+ });
+
+ Schema::table('accounts', function ($table) {
+ $table->string('id_number')->nullable();
+ });
+
+ Schema::table('clients', function ($table) {
+ $table->string('id_number')->nullable();
+ });
+
+ Schema::create('tasks', function ($table) {
+ $table->increments('id');
+ $table->unsignedInteger('user_id');
+ $table->unsignedInteger('account_id')->index();
+ $table->unsignedInteger('client_id')->nullable();
+ $table->unsignedInteger('invoice_id')->nullable();
+ $table->timestamps();
+ $table->softDeletes();
+
+ $table->string('description')->nullable();
+ $table->boolean('is_deleted')->default(false);
+ $table->boolean('is_running')->default(false);
+ $table->text('time_log')->nullable();
+
+ $table->foreign('account_id')->references('id')->on('accounts')->onDelete('cascade');
+ $table->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
+ $table->foreign('invoice_id')->references('id')->on('invoices')->onDelete('cascade');
+ $table->foreign('client_id')->references('id')->on('clients')->onDelete('cascade');
+
+ });
+
+ }
+
+ /**
+ * Reverse the migrations.
+ *
+ * @return void
+ */
+ public function down()
+ {
+
+ Schema::dropIfExists('payment_libraries');
+ Schema::dropIfExists('languages');
+ Schema::dropIfExists('payments');
+ Schema::dropIfExists('products');
+ Schema::dropIfExists('invitations');
+ Schema::dropIfExists('tax_rates');
+ Schema::dropIfExists('invoices');
+ Schema::dropIfExists('countries');
+ Schema::dropIfExists('payment_types');
+ Schema::dropIfExists('timezones');
+ Schema::dropIfExists('currencies');
+ Schema::dropIfExists('sizes');
+ Schema::dropIfExists('industries');
+ Schema::dropIfExists('gateways');
+ Schema::dropIfExists('contacts');
+ Schema::dropIfExists('clients');
+ Schema::dropIfExists('account_gateways');
+ Schema::dropIfExists('user_accounts');
+ Schema::dropIfExists('users');
+ Schema::dropIfExists('accounts');
+ }
+
+
+}
\ No newline at end of file
diff --git a/resources/lang/.DS_Store b/resources/lang/.DS_Store
new file mode 100644
index 000000000000..bd4eebb4312e
Binary files /dev/null and b/resources/lang/.DS_Store differ
diff --git a/resources/lang/ca/auth.php b/resources/lang/ca/auth.php
new file mode 100644
index 000000000000..ee38289136bb
--- /dev/null
+++ b/resources/lang/ca/auth.php
@@ -0,0 +1,19 @@
+ 'Aquestes credencials no concorden amb els nostres registres.',
+ 'throttle' => "Heu superat el nombre màxim d'intents d'accés. Per favor, torna a intentar-ho en :seconds segons.",
+
+];
diff --git a/resources/lang/ca/pagination.php b/resources/lang/ca/pagination.php
new file mode 100644
index 000000000000..df9bf4a2885f
--- /dev/null
+++ b/resources/lang/ca/pagination.php
@@ -0,0 +1,19 @@
+ '« Anterior',
+ 'next' => 'Següent »',
+
+];
diff --git a/resources/lang/ca/passwords.php b/resources/lang/ca/passwords.php
new file mode 100644
index 000000000000..6d5bcd77b318
--- /dev/null
+++ b/resources/lang/ca/passwords.php
@@ -0,0 +1,22 @@
+ 'Les contrasenyes han de contenir almenys 6 caràcters i coincidir.',
+ 'reset' => "La contrasenya s'ha restablert!",
+ 'sent' => 'Recordatori de contrasenya enviat!',
+ 'token' => 'Aquest token de recuperació de contrasenya és invàlid.',
+ 'user' => 'No podem trobar a un usuari amb aquest correu electrònic.',
+
+];
diff --git a/resources/lang/ca/texts.php b/resources/lang/ca/texts.php
new file mode 100644
index 000000000000..34e4e193848d
--- /dev/null
+++ b/resources/lang/ca/texts.php
@@ -0,0 +1,2872 @@
+ 'Organization',
+ 'name' => 'Name',
+ 'website' => 'Website',
+ 'work_phone' => 'Phone',
+ 'address' => 'Address',
+ 'address1' => 'Street',
+ 'address2' => 'Apt/Suite',
+ 'city' => 'City',
+ 'state' => 'State/Province',
+ 'postal_code' => 'Postal Code',
+ 'country_id' => 'Country',
+ 'contacts' => 'Contacts',
+ 'first_name' => 'First Name',
+ 'last_name' => 'Last Name',
+ 'phone' => 'Phone',
+ 'email' => 'Email',
+ 'additional_info' => 'Additional Info',
+ 'payment_terms' => 'Payment Terms',
+ 'currency_id' => 'Currency',
+ 'size_id' => 'Company Size',
+ 'industry_id' => 'Industry',
+ 'private_notes' => 'Private Notes',
+ 'invoice' => 'Invoice',
+ 'client' => 'Client',
+ 'invoice_date' => 'Invoice Date',
+ 'due_date' => 'Due Date',
+ 'invoice_number' => 'Invoice Number',
+ 'invoice_number_short' => 'Invoice #',
+ 'po_number' => 'PO Number',
+ 'po_number_short' => 'PO #',
+ 'frequency_id' => 'How Often',
+ 'discount' => 'Discount',
+ 'taxes' => 'Taxes',
+ 'tax' => 'Tax',
+ 'item' => 'Item',
+ 'description' => 'Description',
+ 'unit_cost' => 'Unit Cost',
+ 'quantity' => 'Quantity',
+ 'line_total' => 'Line Total',
+ 'subtotal' => 'Subtotal',
+ 'paid_to_date' => 'Paid to Date',
+ 'balance_due' => 'Balance Due',
+ 'invoice_design_id' => 'Design',
+ 'terms' => 'Terms',
+ 'your_invoice' => 'Your Invoice',
+ 'remove_contact' => 'Remove contact',
+ 'add_contact' => 'Add contact',
+ 'create_new_client' => 'Create new client',
+ 'edit_client_details' => 'Edit client details',
+ 'enable' => 'Enable',
+ 'learn_more' => 'Learn more',
+ 'manage_rates' => 'Manage rates',
+ 'note_to_client' => 'Note to Client',
+ 'invoice_terms' => 'Invoice Terms',
+ 'save_as_default_terms' => 'Save as default terms',
+ 'download_pdf' => 'Download PDF',
+ 'pay_now' => 'Pay Now',
+ 'save_invoice' => 'Save Invoice',
+ 'clone_invoice' => 'Clone To Invoice',
+ 'archive_invoice' => 'Archive Invoice',
+ 'delete_invoice' => 'Delete Invoice',
+ 'email_invoice' => 'Email Invoice',
+ 'enter_payment' => 'Enter Payment',
+ 'tax_rates' => 'Tax Rates',
+ 'rate' => 'Rate',
+ 'settings' => 'Settings',
+ 'enable_invoice_tax' => 'Enable specifying an invoice tax',
+ 'enable_line_item_tax' => 'Enable specifying line item taxes',
+ 'dashboard' => 'Dashboard',
+ 'clients' => 'Clients',
+ 'invoices' => 'Invoices',
+ 'payments' => 'Payments',
+ 'credits' => 'Credits',
+ 'history' => 'History',
+ 'search' => 'Search',
+ 'sign_up' => 'Sign Up',
+ 'guest' => 'Guest',
+ 'company_details' => 'Company Details',
+ 'online_payments' => 'Online Payments',
+ 'notifications' => 'Notifications',
+ 'import_export' => 'Import | Export',
+ 'done' => 'Done',
+ 'save' => 'Save',
+ 'create' => 'Create',
+ 'upload' => 'Upload',
+ 'import' => 'Import',
+ 'download' => 'Download',
+ 'cancel' => 'Cancel',
+ 'close' => 'Close',
+ 'provide_email' => 'Please provide a valid email address',
+ 'powered_by' => 'Powered by',
+ 'no_items' => 'No items',
+ 'recurring_invoices' => 'Recurring Invoices',
+ 'recurring_help' => '
Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'in total revenue',
+ 'billed_client' => 'billed client',
+ 'billed_clients' => 'billed clients',
+ 'active_client' => 'active client',
+ 'active_clients' => 'active clients',
+ 'invoices_past_due' => 'Invoices Past Due',
+ 'upcoming_invoices' => 'Upcoming Invoices',
+ 'average_invoice' => 'Average Invoice',
+ 'archive' => 'Archive',
+ 'delete' => 'Delete',
+ 'archive_client' => 'Archive Client',
+ 'delete_client' => 'Delete Client',
+ 'archive_payment' => 'Archive Payment',
+ 'delete_payment' => 'Delete Payment',
+ 'archive_credit' => 'Archive Credit',
+ 'delete_credit' => 'Delete Credit',
+ 'show_archived_deleted' => 'Show archived/deleted',
+ 'filter' => 'Filter',
+ 'new_client' => 'New Client',
+ 'new_invoice' => 'New Invoice',
+ 'new_payment' => 'Enter Payment',
+ 'new_credit' => 'Enter Credit',
+ 'contact' => 'Contact',
+ 'date_created' => 'Date Created',
+ 'last_login' => 'Last Login',
+ 'balance' => 'Balance',
+ 'action' => 'Action',
+ 'status' => 'Status',
+ 'invoice_total' => 'Invoice Total',
+ 'frequency' => 'Frequency',
+ 'start_date' => 'Start Date',
+ 'end_date' => 'End Date',
+ 'transaction_reference' => 'Transaction Reference',
+ 'method' => 'Method',
+ 'payment_amount' => 'Payment Amount',
+ 'payment_date' => 'Payment Date',
+ 'credit_amount' => 'Credit Amount',
+ 'credit_balance' => 'Credit Balance',
+ 'credit_date' => 'Credit Date',
+ 'empty_table' => 'No data available in table',
+ 'select' => 'Select',
+ 'edit_client' => 'Edit Client',
+ 'edit_invoice' => 'Edit Invoice',
+ 'create_invoice' => 'Create Invoice',
+ 'enter_credit' => 'Enter Credit',
+ 'last_logged_in' => 'Last logged in',
+ 'details' => 'Details',
+ 'standing' => 'Standing',
+ 'credit' => 'Credit',
+ 'activity' => 'Activity',
+ 'date' => 'Date',
+ 'message' => 'Message',
+ 'adjustment' => 'Adjustment',
+ 'are_you_sure' => 'Are you sure?',
+ 'payment_type_id' => 'Payment Type',
+ 'amount' => 'Amount',
+ 'work_email' => 'Email',
+ 'language_id' => 'Language',
+ 'timezone_id' => 'Timezone',
+ 'date_format_id' => 'Date Format',
+ 'datetime_format_id' => 'Date/Time Format',
+ 'users' => 'Users',
+ 'localization' => 'Localization',
+ 'remove_logo' => 'Remove logo',
+ 'logo_help' => 'Supported: JPEG, GIF and PNG',
+ 'payment_gateway' => 'Payment Gateway',
+ 'gateway_id' => 'Gateway',
+ 'email_notifications' => 'Email Notifications',
+ 'email_sent' => 'Email me when an invoice is sent',
+ 'email_viewed' => 'Email me when an invoice is viewed',
+ 'email_paid' => 'Email me when an invoice is paid',
+ 'site_updates' => 'Site Updates',
+ 'custom_messages' => 'Custom Messages',
+ 'default_email_footer' => 'Set default email signature',
+ 'select_file' => 'Please select a file',
+ 'first_row_headers' => 'Use first row as headers',
+ 'column' => 'Column',
+ 'sample' => 'Sample',
+ 'import_to' => 'Import to',
+ 'client_will_create' => 'client will be created',
+ 'clients_will_create' => 'clients will be created',
+ 'email_settings' => 'Email Settings',
+ 'client_view_styling' => 'Client View Styling',
+ 'pdf_email_attachment' => 'Attach PDF',
+ 'custom_css' => 'Custom CSS',
+ 'import_clients' => 'Import Client Data',
+ 'csv_file' => 'CSV file',
+ 'export_clients' => 'Export Client Data',
+ 'created_client' => 'Successfully created client',
+ 'created_clients' => 'Successfully created :count client(s)',
+ 'updated_settings' => 'Successfully updated settings',
+ 'removed_logo' => 'Successfully removed logo',
+ 'sent_message' => 'Successfully sent message',
+ 'invoice_error' => 'Please make sure to select a client and correct any errors',
+ 'limit_clients' => 'Sorry, this will exceed the limit of :count clients',
+ 'payment_error' => 'There was an error processing your payment. Please try again later.',
+ 'registration_required' => 'Please sign up to email an invoice',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Successfully updated client',
+ 'created_client' => 'Successfully created client',
+ 'archived_client' => 'Successfully archived client',
+ 'archived_clients' => 'Successfully archived :count clients',
+ 'deleted_client' => 'Successfully deleted client',
+ 'deleted_clients' => 'Successfully deleted :count clients',
+ 'updated_invoice' => 'Successfully updated invoice',
+ 'created_invoice' => 'Successfully created invoice',
+ 'cloned_invoice' => 'Successfully cloned invoice',
+ 'emailed_invoice' => 'Successfully emailed invoice',
+ 'and_created_client' => 'and created client',
+ 'archived_invoice' => 'Successfully archived invoice',
+ 'archived_invoices' => 'Successfully archived :count invoices',
+ 'deleted_invoice' => 'Successfully deleted invoice',
+ 'deleted_invoices' => 'Successfully deleted :count invoices',
+ 'created_payment' => 'Successfully created payment',
+ 'created_payments' => 'Successfully created :count payment(s)',
+ 'archived_payment' => 'Successfully archived payment',
+ 'archived_payments' => 'Successfully archived :count payments',
+ 'deleted_payment' => 'Successfully deleted payment',
+ 'deleted_payments' => 'Successfully deleted :count payments',
+ 'applied_payment' => 'Successfully applied payment',
+ 'created_credit' => 'Successfully created credit',
+ 'archived_credit' => 'Successfully archived credit',
+ 'archived_credits' => 'Successfully archived :count credits',
+ 'deleted_credit' => 'Successfully deleted credit',
+ 'deleted_credits' => 'Successfully deleted :count credits',
+ 'imported_file' => 'Successfully imported file',
+ 'updated_vendor' => 'Successfully updated vendor',
+ 'created_vendor' => 'Successfully created vendor',
+ 'archived_vendor' => 'Successfully archived vendor',
+ 'archived_vendors' => 'Successfully archived :count vendors',
+ 'deleted_vendor' => 'Successfully deleted vendor',
+ 'deleted_vendors' => 'Successfully deleted :count vendors',
+ 'confirmation_subject' => 'Invoice Ninja Account Confirmation',
+ 'confirmation_header' => 'Account Confirmation',
+ 'confirmation_message' => 'Please access the link below to confirm your account.',
+ 'invoice_subject' => 'New invoice :number from :account',
+ 'invoice_message' => 'To view your invoice for :amount, click the link below.',
+ 'payment_subject' => 'Payment Received',
+ 'payment_message' => 'Thank you for your payment of :amount.',
+ 'email_salutation' => 'Dear :name,',
+ 'email_signature' => 'Regards,',
+ 'email_from' => 'The Invoice Ninja Team',
+ 'invoice_link_message' => 'To view the invoice click the link below:',
+ 'notification_invoice_paid_subject' => 'Invoice :invoice was paid by :client',
+ 'notification_invoice_sent_subject' => 'Invoice :invoice was sent to :client',
+ 'notification_invoice_viewed_subject' => 'Invoice :invoice was viewed by :client',
+ 'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
+ 'notification_invoice_sent' => 'The following client :client was emailed Invoice :invoice for :amount.',
+ 'notification_invoice_viewed' => 'The following client :client viewed Invoice :invoice for :amount.',
+ 'reset_password' => 'You can reset your account password by clicking the following button:',
+ 'secure_payment' => 'Secure Payment',
+ 'card_number' => 'Card Number',
+ 'expiration_month' => 'Expiration Month',
+ 'expiration_year' => 'Expiration Year',
+ 'cvv' => 'CVV',
+ 'logout' => 'Log Out',
+ 'sign_up_to_save' => 'Sign up to save your work',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Terms of Service',
+ 'email_taken' => 'The email address is already registered',
+ 'working' => 'Working',
+ 'success' => 'Success',
+ 'success_message' => 'You have successfully registered! Please visit the link in the account confirmation email to verify your email address.',
+ 'erase_data' => 'Your account is not registered, this will permanently erase your data.',
+ 'password' => 'Password',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'Thanks for choosing Invoice Ninja\'s Pro plan!
+ Next StepsA 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',
+ 'unsaved_changes' => 'You have unsaved changes',
+ 'custom_fields' => 'Custom Fields',
+ 'company_fields' => 'Company Fields',
+ 'client_fields' => 'Client Fields',
+ 'field_label' => 'Field Label',
+ 'field_value' => 'Field Value',
+ 'edit' => 'Edit',
+ 'set_name' => 'Set your company name',
+ 'view_as_recipient' => 'View as recipient',
+ 'product_library' => 'Product Library',
+ 'product' => 'Product',
+ 'products' => 'Products',
+ 'fill_products' => 'Auto-fill products',
+ 'fill_products_help' => 'Selecting a product will automatically fill in the description and cost',
+ 'update_products' => 'Auto-update products',
+ 'update_products_help' => 'Updating an invoice will automatically update the product library',
+ 'create_product' => 'Add Product',
+ 'edit_product' => 'Edit Product',
+ 'archive_product' => 'Archive Product',
+ 'updated_product' => 'Successfully updated product',
+ 'created_product' => 'Successfully created product',
+ 'archived_product' => 'Successfully archived product',
+ 'pro_plan_custom_fields' => ':link to enable custom fields by joining the Pro Plan',
+ 'advanced_settings' => 'Advanced Settings',
+ 'pro_plan_advanced_settings' => ':link to enable the advanced settings by joining the Pro Plan',
+ 'invoice_design' => 'Invoice Design',
+ 'specify_colors' => 'Specify colors',
+ 'specify_colors_label' => 'Select the colors used in the invoice',
+ 'chart_builder' => 'Chart Builder',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Go Pro',
+ 'quote' => 'Quote',
+ 'quotes' => 'Quotes',
+ 'quote_number' => 'Quote Number',
+ 'quote_number_short' => 'Quote #',
+ 'quote_date' => 'Quote Date',
+ 'quote_total' => 'Quote Total',
+ 'your_quote' => 'Your Quote',
+ 'total' => 'Total',
+ 'clone' => 'Clone',
+ 'new_quote' => 'New Quote',
+ 'create_quote' => 'Create Quote',
+ 'edit_quote' => 'Edit Quote',
+ 'archive_quote' => 'Archive Quote',
+ 'delete_quote' => 'Delete Quote',
+ 'save_quote' => 'Save Quote',
+ 'email_quote' => 'Email Quote',
+ 'clone_quote' => 'Clone To Quote',
+ 'convert_to_invoice' => 'Convert to Invoice',
+ 'view_invoice' => 'View Invoice',
+ 'view_client' => 'View Client',
+ 'view_quote' => 'View Quote',
+ 'updated_quote' => 'Successfully updated quote',
+ 'created_quote' => 'Successfully created quote',
+ 'cloned_quote' => 'Successfully cloned quote',
+ 'emailed_quote' => 'Successfully emailed quote',
+ 'archived_quote' => 'Successfully archived quote',
+ 'archived_quotes' => 'Successfully archived :count quotes',
+ 'deleted_quote' => 'Successfully deleted quote',
+ 'deleted_quotes' => 'Successfully deleted :count quotes',
+ 'converted_to_invoice' => 'Successfully converted quote to invoice',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'To view your quote for :amount, click the link below.',
+ 'quote_link_message' => 'To view your client quote click the link below:',
+ 'notification_quote_sent_subject' => 'Quote :invoice was sent to :client',
+ 'notification_quote_viewed_subject' => 'Quote :invoice was viewed by :client',
+ 'notification_quote_sent' => 'The following client :client was emailed Quote :invoice for :amount.',
+ 'notification_quote_viewed' => 'The following client :client viewed Quote :invoice for :amount.',
+ 'session_expired' => 'Your session has expired.',
+ 'invoice_fields' => 'Invoice Fields',
+ 'invoice_options' => 'Invoice Options',
+ 'hide_paid_to_date' => 'Hide Paid to Date',
+ 'hide_paid_to_date_help' => 'Only display the "Paid to Date" area on your invoices once a payment has been received.',
+ 'charge_taxes' => 'Charge taxes',
+ 'user_management' => 'User Management',
+ 'add_user' => 'Add User',
+ 'send_invite' => 'Send Invitation',
+ 'sent_invite' => 'Successfully sent invitation',
+ 'updated_user' => 'Successfully updated user',
+ 'invitation_message' => 'You\'ve been invited by :invitor. ',
+ 'register_to_add_user' => 'Please sign up to add a user',
+ 'user_state' => 'State',
+ 'edit_user' => 'Edit User',
+ 'delete_user' => 'Delete User',
+ 'active' => 'Active',
+ 'pending' => 'Pending',
+ 'deleted_user' => 'Successfully deleted user',
+ 'confirm_email_invoice' => 'Are you sure you want to email this invoice?',
+ 'confirm_email_quote' => 'Are you sure you want to email this quote?',
+ 'confirm_recurring_email_invoice' => 'Are you sure you want this invoice emailed?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Delete Account',
+ 'cancel_account_message' => 'Warning: This will permanently delete your account, there is no undo.',
+ 'go_back' => 'Go Back',
+ 'data_visualizations' => 'Data Visualizations',
+ 'sample_data' => 'Sample data shown',
+ 'hide' => 'Hide',
+ 'new_version_available' => 'A new version of :releases_link is available. You\'re running v:user_version, the latest is v:latest_version',
+ 'invoice_settings' => 'Invoice Settings',
+ 'invoice_number_prefix' => 'Invoice Number Prefix',
+ 'invoice_number_counter' => 'Invoice Number Counter',
+ 'quote_number_prefix' => 'Quote Number Prefix',
+ 'quote_number_counter' => 'Quote Number Counter',
+ 'share_invoice_counter' => 'Share invoice counter',
+ 'invoice_issued_to' => 'Invoice issued to',
+ 'invalid_counter' => 'To prevent a possible conflict please set either an invoice or quote number prefix',
+ 'mark_sent' => 'Mark Sent',
+ 'gateway_help_1' => ':link to sign up for Authorize.net.',
+ 'gateway_help_2' => ':link to sign up for Authorize.net.',
+ 'gateway_help_17' => ':link to get your PayPal API signature.',
+ 'gateway_help_27' => ':link to sign up for 2Checkout.com. To ensure payments are tracked set :complete_link as the redirect URL under Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'More designs',
+ 'more_designs_title' => 'Additional Invoice Designs',
+ 'more_designs_cloud_header' => 'Go Pro for more invoice designs',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Buy',
+ 'bought_designs' => 'Successfully added additional invoice designs',
+ 'sent' => 'Sent',
+ 'vat_number' => 'VAT Number',
+ 'timesheets' => 'Timesheets',
+ 'payment_title' => 'Enter Your Billing Address and Credit Card information',
+ 'payment_cvv' => '*This is the 3-4 digit number onthe back of your card',
+ 'payment_footer1' => '*Billing address must match address associated with credit card.',
+ 'payment_footer2' => '*Please click "PAY NOW" only once - transaction may take up to 1 minute to process.',
+ 'id_number' => 'ID Number',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'Successfully enabled white label license',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Restore',
+ 'restore_invoice' => 'Restore Invoice',
+ 'restore_quote' => 'Restore Quote',
+ 'restore_client' => 'Restore Client',
+ 'restore_credit' => 'Restore Credit',
+ 'restore_payment' => 'Restore Payment',
+ 'restored_invoice' => 'Successfully restored invoice',
+ 'restored_quote' => 'Successfully restored quote',
+ 'restored_client' => 'Successfully restored client',
+ 'restored_payment' => 'Successfully restored payment',
+ 'restored_credit' => 'Successfully restored credit',
+ 'reason_for_canceling' => 'Help us improve our site by telling us why you\'re leaving.',
+ 'discount_percent' => 'Percent',
+ 'discount_amount' => 'Amount',
+ 'invoice_history' => 'Invoice History',
+ 'quote_history' => 'Quote History',
+ 'current_version' => 'Current version',
+ 'select_version' => 'Select version',
+ 'view_history' => 'View History',
+ 'edit_payment' => 'Edit Payment',
+ 'updated_payment' => 'Successfully updated payment',
+ 'deleted' => 'Deleted',
+ 'restore_user' => 'Restore User',
+ 'restored_user' => 'Successfully restored user',
+ 'show_deleted_users' => 'Show deleted users',
+ 'email_templates' => 'Email Templates',
+ 'invoice_email' => 'Invoice Email',
+ 'payment_email' => 'Payment Email',
+ 'quote_email' => 'Quote Email',
+ 'reset_all' => 'Reset All',
+ 'approve' => 'Approve',
+ 'token_billing_type_id' => 'Token Billing',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Disabled',
+ 'token_billing_2' => 'Opt-in - checkbox is shown but not selected',
+ 'token_billing_3' => 'Opt-out - checkbox is shown and selected',
+ 'token_billing_4' => 'Always',
+ 'token_billing_checkbox' => 'Store credit card details',
+ 'view_in_gateway' => 'View in :gateway',
+ 'use_card_on_file' => 'Use Card on File',
+ 'edit_payment_details' => 'Edit payment details',
+ 'token_billing' => 'Save card details',
+ 'token_billing_secure' => 'The data is stored securely by :link',
+ 'support' => 'Support',
+ 'contact_information' => 'Contact Information',
+ '256_encryption' => '256-Bit Encryption',
+ 'amount_due' => 'Amount due',
+ 'billing_address' => 'Billing Address',
+ 'billing_method' => 'Billing Method',
+ 'order_overview' => 'Order overview',
+ 'match_address' => '*Address must match address associated with credit card.',
+ 'click_once' => '*Please click "PAY NOW" only once - transaction may take up to 1 minute to process.',
+ 'invoice_footer' => 'Invoice Footer',
+ 'save_as_default_footer' => 'Save as default footer',
+ 'token_management' => 'Token Management',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Add Token',
+ 'show_deleted_tokens' => 'Show deleted tokens',
+ 'deleted_token' => 'Successfully deleted token',
+ 'created_token' => 'Successfully created token',
+ 'updated_token' => 'Successfully updated token',
+ 'edit_token' => 'Edit Token',
+ 'delete_token' => 'Delete Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Add Gateway',
+ 'delete_gateway' => 'Delete Gateway',
+ 'edit_gateway' => 'Edit Gateway',
+ 'updated_gateway' => 'Successfully updated gateway',
+ 'created_gateway' => 'Successfully created gateway',
+ 'deleted_gateway' => 'Successfully deleted gateway',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Credit Card',
+ 'change_password' => 'Change password',
+ 'current_password' => 'Current password',
+ 'new_password' => 'New password',
+ 'confirm_password' => 'Confirm password',
+ 'password_error_incorrect' => 'The current password is incorrect.',
+ 'password_error_invalid' => 'The new password is invalid.',
+ 'updated_password' => 'Successfully updated password',
+ 'api_tokens' => 'API Tokens',
+ 'users_and_tokens' => 'Users & Tokens',
+ 'account_login' => 'Account Login',
+ 'recover_password' => 'Recover your password',
+ 'forgot_password' => 'Forgot your password?',
+ 'email_address' => 'Email address',
+ 'lets_go' => 'Let\'s go',
+ 'password_recovery' => 'Password Recovery',
+ 'send_email' => 'Send Email',
+ 'set_password' => 'Set Password',
+ 'converted' => 'Converted',
+ 'email_approved' => 'Email me when a quote is approved',
+ 'notification_quote_approved_subject' => 'Quote :invoice was approved by :client',
+ 'notification_quote_approved' => 'The following client :client approved Quote :invoice for :amount.',
+ 'resend_confirmation' => 'Resend confirmation email',
+ 'confirmation_resent' => 'The confirmation email was resent',
+ 'gateway_help_42' => ':link to sign up for BitPay.
Note: use a Legacy API Key, not an API token.',
+ 'payment_type_credit_card' => 'Credit Card',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Knowledge Base',
+ 'partial' => 'Partial/Deposit',
+ 'partial_remaining' => ':partial of :balance',
+ 'more_fields' => 'More Fields',
+ 'less_fields' => 'Less Fields',
+ 'client_name' => 'Client Name',
+ 'pdf_settings' => 'PDF Settings',
+ 'product_settings' => 'Product Settings',
+ 'auto_wrap' => 'Auto Line Wrap',
+ 'duplicate_post' => 'Warning: the previous page was submitted twice. The second submission had been ignored.',
+ 'view_documentation' => 'View Documentation',
+ 'app_title' => 'Free Open-Source Online Invoicing',
+ 'app_description' => 'Invoice Ninja is a free, open-source solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.',
+ 'rows' => 'rows',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdomain',
+ 'provide_name_or_email' => 'Please provide a name or email',
+ 'charts_and_reports' => 'Charts & Reports',
+ 'chart' => 'Chart',
+ 'report' => 'Report',
+ 'group_by' => 'Group by',
+ 'paid' => 'Paid',
+ 'enable_report' => 'Report',
+ 'enable_chart' => 'Chart',
+ 'totals' => 'Totals',
+ 'run' => 'Run',
+ 'export' => 'Export',
+ 'documentation' => 'Documentation',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Recurring',
+ 'last_invoice_sent' => 'Last invoice sent :date',
+ 'processed_updates' => 'Successfully completed update',
+ 'tasks' => 'Tasks',
+ 'new_task' => 'New Task',
+ 'start_time' => 'Start Time',
+ 'created_task' => 'Successfully created task',
+ 'updated_task' => 'Successfully updated task',
+ 'edit_task' => 'Edit Task',
+ 'archive_task' => 'Archive Task',
+ 'restore_task' => 'Restore Task',
+ 'delete_task' => 'Delete Task',
+ 'stop_task' => 'Stop Task',
+ 'time' => 'Time',
+ 'start' => 'Start',
+ 'stop' => 'Stop',
+ 'now' => 'Now',
+ 'timer' => 'Timer',
+ 'manual' => 'Manual',
+ 'date_and_time' => 'Date & Time',
+ 'second' => 'Second',
+ 'seconds' => 'Seconds',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minutes',
+ 'hour' => 'Hour',
+ 'hours' => 'Hours',
+ 'task_details' => 'Task Details',
+ 'duration' => 'Duration',
+ 'end_time' => 'End Time',
+ 'end' => 'End',
+ 'invoiced' => 'Invoiced',
+ 'logged' => 'Logged',
+ 'running' => 'Running',
+ 'task_error_multiple_clients' => 'The tasks can\'t belong to different clients',
+ 'task_error_running' => 'Please stop running tasks first',
+ 'task_error_invoiced' => 'Tasks have already been invoiced',
+ 'restored_task' => 'Successfully restored task',
+ 'archived_task' => 'Successfully archived task',
+ 'archived_tasks' => 'Successfully archived :count tasks',
+ 'deleted_task' => 'Successfully deleted task',
+ 'deleted_tasks' => 'Successfully deleted :count tasks',
+ 'create_task' => 'Create Task',
+ 'stopped_task' => 'Successfully stopped task',
+ 'invoice_task' => 'Invoice Task',
+ 'invoice_labels' => 'Invoice Labels',
+ 'prefix' => 'Prefix',
+ 'counter' => 'Counter',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link to sign up for Dwolla',
+ 'partial_value' => 'Must be greater than zero and less than the total',
+ 'more_actions' => 'More Actions',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Upgrade Now!',
+ 'pro_plan_feature1' => 'Create Unlimited Clients',
+ 'pro_plan_feature2' => 'Access to 10 Beautiful Invoice Designs',
+ 'pro_plan_feature3' => 'Custom URLs - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Remove "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Multi-user Access & Activity Tracking',
+ 'pro_plan_feature6' => 'Create Quotes & Pro-forma Invoices',
+ 'pro_plan_feature7' => 'Customize Invoice Field Titles & Numbering',
+ 'pro_plan_feature8' => 'Option to Attach PDFs to Client Emails',
+ 'resume' => 'Resume',
+ 'break_duration' => 'Break',
+ 'edit_details' => 'Edit Details',
+ 'work' => 'Work',
+ 'timezone_unset' => 'Please :link to set your timezone',
+ 'click_here' => 'click here',
+ 'email_receipt' => 'Email payment receipt to the client',
+ 'created_payment_emailed_client' => 'Successfully created payment and emailed client',
+ 'add_company' => 'Add Company',
+ 'untitled' => 'Untitled',
+ 'new_company' => 'New Company',
+ 'associated_accounts' => 'Successfully linked accounts',
+ 'unlinked_account' => 'Successfully unlinked accounts',
+ 'login' => 'Login',
+ 'or' => 'or',
+ 'email_error' => 'There was a problem sending the email',
+ 'confirm_recurring_timing' => 'Note: emails are sent at the start of the hour.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Sets the default invoice due date',
+ 'unlink_account' => 'Unlink Account',
+ 'unlink' => 'Unlink',
+ 'show_address' => 'Show Address',
+ 'show_address_help' => 'Require client to provide their billing address',
+ 'update_address' => 'Update Address',
+ 'update_address_help' => 'Update client\'s address with provided details',
+ 'times' => 'Times',
+ 'set_now' => 'Set to now',
+ 'dark_mode' => 'Dark Mode',
+ 'dark_mode_help' => 'Use a dark background for the sidebars',
+ 'add_to_invoice' => 'Add to invoice :invoice',
+ 'create_new_invoice' => 'Create new invoice',
+ 'task_errors' => 'Please correct any overlapping times',
+ 'from' => 'From',
+ 'to' => 'To',
+ 'font_size' => 'Font Size',
+ 'primary_color' => 'Primary Color',
+ 'secondary_color' => 'Secondary Color',
+ 'customize_design' => 'Customize Design',
+ 'content' => 'Content',
+ 'styles' => 'Styles',
+ 'defaults' => 'Defaults',
+ 'margins' => 'Margins',
+ 'header' => 'Header',
+ 'footer' => 'Footer',
+ 'custom' => 'Custom',
+ 'invoice_to' => 'Invoice to',
+ 'invoice_no' => 'Invoice No.',
+ 'quote_no' => 'Quote No.',
+ 'recent_payments' => 'Recent Payments',
+ 'outstanding' => 'Outstanding',
+ 'manage_companies' => 'Manage Companies',
+ 'total_revenue' => 'Total Revenue',
+ 'current_user' => 'Current User',
+ 'new_recurring_invoice' => 'New Recurring Invoice',
+ 'recurring_invoice' => 'Recurring Invoice',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'It\'s too soon to create the next recurring invoice, it\'s scheduled for :date',
+ 'created_by_invoice' => 'Created by :invoice',
+ 'primary_user' => 'Primary User',
+ 'help' => 'Help',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Due Date',
+ 'quote_due_date' => 'Valid Until',
+ 'valid_until' => 'Valid Until',
+ 'reset_terms' => 'Reset terms',
+ 'reset_footer' => 'Reset footer',
+ 'invoice_sent' => ':count invoice sent',
+ 'invoices_sent' => ':count invoices sent',
+ 'status_draft' => 'Draft',
+ 'status_sent' => 'Sent',
+ 'status_viewed' => 'Viewed',
+ 'status_partial' => 'Partial',
+ 'status_paid' => 'Paid',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Display line item taxes inline',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'Copy the following code to a page on your site.',
+ 'iframe_url_help2' => 'You can test the feature by clicking \'View as recipient\' for an invoice.',
+ 'auto_bill' => 'Auto Bill',
+ 'military_time' => '24 Hour Time',
+ 'last_sent' => 'Last Sent',
+ 'reminder_emails' => 'Reminder Emails',
+ 'templates_and_reminders' => 'Templates & Reminders',
+ 'subject' => 'Subject',
+ 'body' => 'Body',
+ 'first_reminder' => 'First Reminder',
+ 'second_reminder' => 'Second Reminder',
+ 'third_reminder' => 'Third Reminder',
+ 'num_days_reminder' => 'Days after due date',
+ 'reminder_subject' => 'Reminder: Invoice :invoice from :account',
+ 'reset' => 'Reset',
+ 'invoice_not_found' => 'The requested invoice is not available',
+ 'referral_program' => 'Referral Program',
+ 'referral_code' => 'Referral URL',
+ 'last_sent_on' => 'Sent Last: :date',
+ 'page_expire' => 'This page will expire soon, :click_here to keep working',
+ 'upcoming_quotes' => 'Upcoming Quotes',
+ 'expired_quotes' => 'Expired Quotes',
+ 'sign_up_using' => 'Sign up using',
+ 'invalid_credentials' => 'These credentials do not match our records',
+ 'show_all_options' => 'Show all options',
+ 'user_details' => 'User Details',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Disable',
+ 'invoice_quote_number' => 'Invoice and Quote Numbers',
+ 'invoice_charges' => 'Invoice Surcharges',
+ 'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact.',
+ 'notification_invoice_bounced_subject' => 'Unable to deliver Invoice :invoice',
+ 'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact.',
+ 'notification_quote_bounced_subject' => 'Unable to deliver Quote :invoice',
+ 'custom_invoice_link' => 'Custom Invoice Link',
+ 'total_invoiced' => 'Total Invoiced',
+ 'open_balance' => 'Open Balance',
+ 'verify_email' => 'Please visit the link in the account confirmation email to verify your email address.',
+ 'basic_settings' => 'Basic Settings',
+ 'pro' => 'Pro',
+ 'gateways' => 'Payment Gateways',
+ 'next_send_on' => 'Send Next: :date',
+ 'no_longer_running' => 'This invoice is not scheduled to run',
+ 'general_settings' => 'General Settings',
+ 'customize' => 'Customize',
+ 'oneclick_login_help' => 'Connect an account to login without a password',
+ 'referral_code_help' => 'Earn money by sharing our app online',
+ 'enable_with_stripe' => 'Enable | Requires Stripe',
+ 'tax_settings' => 'Tax Settings',
+ 'create_tax_rate' => 'Add Tax Rate',
+ 'updated_tax_rate' => 'Successfully updated tax rate',
+ 'created_tax_rate' => 'Successfully created tax rate',
+ 'edit_tax_rate' => 'Edit tax rate',
+ 'archive_tax_rate' => 'Archive Tax Rate',
+ 'archived_tax_rate' => 'Successfully archived the tax rate',
+ 'default_tax_rate_id' => 'Default Tax Rate',
+ 'tax_rate' => 'Tax Rate',
+ 'recurring_hour' => 'Recurring Hour',
+ 'pattern' => 'Pattern',
+ 'pattern_help_title' => 'Pattern Help',
+ 'pattern_help_1' => 'Create custom numbers by specifying a pattern',
+ 'pattern_help_2' => 'Available variables:',
+ 'pattern_help_3' => 'For example, :example would be converted to :value',
+ 'see_options' => 'See options',
+ 'invoice_counter' => 'Invoice Counter',
+ 'quote_counter' => 'Quote Counter',
+ 'type' => 'Type',
+ 'activity_1' => ':user created client :client',
+ 'activity_2' => ':user archived client :client',
+ 'activity_3' => ':user deleted client :client',
+ 'activity_4' => ':user created invoice :invoice',
+ 'activity_5' => ':user updated invoice :invoice',
+ 'activity_6' => ':user emailed invoice :invoice to :contact',
+ 'activity_7' => ':contact viewed invoice :invoice',
+ 'activity_8' => ':user archived invoice :invoice',
+ 'activity_9' => ':user deleted invoice :invoice',
+ 'activity_10' => ':contact entered payment :payment for :invoice',
+ 'activity_11' => ':user updated payment :payment',
+ 'activity_12' => ':user archived payment :payment',
+ 'activity_13' => ':user deleted payment :payment',
+ 'activity_14' => ':user entered :credit credit',
+ 'activity_15' => ':user updated :credit credit',
+ 'activity_16' => ':user archived :credit credit',
+ 'activity_17' => ':user deleted :credit credit',
+ 'activity_18' => ':user created quote :quote',
+ 'activity_19' => ':user updated quote :quote',
+ 'activity_20' => ':user emailed quote :quote to :contact',
+ 'activity_21' => ':contact viewed quote :quote',
+ 'activity_22' => ':user archived quote :quote',
+ 'activity_23' => ':user deleted quote :quote',
+ 'activity_24' => ':user restored quote :quote',
+ 'activity_25' => ':user restored invoice :invoice',
+ 'activity_26' => ':user restored client :client',
+ 'activity_27' => ':user restored payment :payment',
+ 'activity_28' => ':user restored :credit credit',
+ 'activity_29' => ':contact approved quote :quote',
+ 'activity_30' => ':user created vendor :vendor',
+ 'activity_31' => ':user archived vendor :vendor',
+ 'activity_32' => ':user deleted vendor :vendor',
+ 'activity_33' => ':user restored vendor :vendor',
+ 'activity_34' => ':user created expense :expense',
+ 'activity_35' => ':user archived expense :expense',
+ 'activity_36' => ':user deleted expense :expense',
+ 'activity_37' => ':user restored expense :expense',
+ 'activity_42' => ':user created task :task',
+ 'activity_43' => ':user updated task :task',
+ 'activity_44' => ':user archived task :task',
+ 'activity_45' => ':user deleted task :task',
+ 'activity_46' => ':user restored task :task',
+ 'activity_47' => ':user updated expense :expense',
+ 'payment' => 'Payment',
+ 'system' => 'System',
+ 'signature' => 'Email Signature',
+ 'default_messages' => 'Default Messages',
+ 'quote_terms' => 'Quote Terms',
+ 'default_quote_terms' => 'Default Quote Terms',
+ 'default_invoice_terms' => 'Default Invoice Terms',
+ 'default_invoice_footer' => 'Default Invoice Footer',
+ 'quote_footer' => 'Quote Footer',
+ 'free' => 'Free',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Apply Credit',
+ 'system_settings' => 'System Settings',
+ 'archive_token' => 'Archive Token',
+ 'archived_token' => 'Successfully archived token',
+ 'archive_user' => 'Archive User',
+ 'archived_user' => 'Successfully archived user',
+ 'archive_account_gateway' => 'Archive Gateway',
+ 'archived_account_gateway' => 'Successfully archived gateway',
+ 'archive_recurring_invoice' => 'Archive Recurring Invoice',
+ 'archived_recurring_invoice' => 'Successfully archived recurring invoice',
+ 'delete_recurring_invoice' => 'Delete Recurring Invoice',
+ 'deleted_recurring_invoice' => 'Successfully deleted recurring invoice',
+ 'restore_recurring_invoice' => 'Restore Recurring Invoice',
+ 'restored_recurring_invoice' => 'Successfully restored recurring invoice',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archived',
+ 'untitled_account' => 'Untitled Company',
+ 'before' => 'Before',
+ 'after' => 'After',
+ 'reset_terms_help' => 'Reset to the default account terms',
+ 'reset_footer_help' => 'Reset to the default account footer',
+ 'export_data' => 'Export Data',
+ 'user' => 'User',
+ 'country' => 'Country',
+ 'include' => 'Include',
+ 'logo_too_large' => 'Your logo is :size, for better PDF performance we suggest uploading an image file less than 200KB',
+ 'import_freshbooks' => 'Import From FreshBooks',
+ 'import_data' => 'Import Data',
+ 'source' => 'Source',
+ 'csv' => 'CSV',
+ 'client_file' => 'Client File',
+ 'invoice_file' => 'Invoice File',
+ 'task_file' => 'Task File',
+ 'no_mapper' => 'No valid mapping for file',
+ 'invalid_csv_header' => 'Invalid CSV Header',
+ 'client_portal' => 'Client Portal',
+ 'admin' => 'Admin',
+ 'disabled' => 'Disabled',
+ 'show_archived_users' => 'Show archived users',
+ 'notes' => 'Notes',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => 'invoices will be created',
+ 'failed_to_import' => 'The following records failed to import, they either already exist or are missing required fields.',
+ 'publishable_key' => 'Publishable Key',
+ 'secret_key' => 'Secret Key',
+ 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process',
+ 'email_design' => 'Email Design',
+ 'due_by' => 'Due by :date',
+ 'enable_email_markup' => 'Enable Markup',
+ 'enable_email_markup_help' => 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
+ 'template_help_title' => 'Templates Help',
+ 'template_help_1' => 'Available variables:',
+ 'email_design_id' => 'Email Style',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'Plain',
+ 'light' => 'Light',
+ 'dark' => 'Dark',
+ 'industry_help' => 'Used to provide comparisons against the averages of companies of similar size and industry.',
+ 'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the invoice number.',
+ 'quote_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the quote number.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Add a label and value to the company details section of the PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Add a field when creating an invoice and include the charge in the invoice subtotals.',
+ 'token_expired' => 'Validation token was expired. Please try again.',
+ 'invoice_link' => 'Invoice Link',
+ 'button_confirmation_message' => 'Click to confirm your email address.',
+ 'confirm' => 'Confirm',
+ 'email_preferences' => 'Email Preferences',
+ 'created_invoices' => 'Successfully created :count invoice(s)',
+ 'next_invoice_number' => 'The next invoice number is :number.',
+ 'next_quote_number' => 'The next quote number is :number.',
+ 'days_before' => 'days before the',
+ 'days_after' => 'days after the',
+ 'field_due_date' => 'due date',
+ 'field_invoice_date' => 'invoice date',
+ 'schedule' => 'Schedule',
+ 'email_designs' => 'Email Designs',
+ 'assigned_when_sent' => 'Assigned when sent',
+ 'white_label_purchase_link' => 'Purchase a white label license',
+ 'expense' => 'Expense',
+ 'expenses' => 'Expenses',
+ 'new_expense' => 'Enter Expense',
+ 'enter_expense' => 'Enter Expense',
+ 'vendors' => 'Vendors',
+ 'new_vendor' => 'New Vendor',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Vendor',
+ 'edit_vendor' => 'Edit Vendor',
+ 'archive_vendor' => 'Archive Vendor',
+ 'delete_vendor' => 'Delete Vendor',
+ 'view_vendor' => 'View Vendor',
+ 'deleted_expense' => 'Successfully deleted expense',
+ 'archived_expense' => 'Successfully archived expense',
+ 'deleted_expenses' => 'Successfully deleted expenses',
+ 'archived_expenses' => 'Successfully archived expenses',
+ 'expense_amount' => 'Expense Amount',
+ 'expense_balance' => 'Expense Balance',
+ 'expense_date' => 'Expense Date',
+ 'expense_should_be_invoiced' => 'Should this expense be invoiced?',
+ 'public_notes' => 'Public Notes',
+ 'invoice_amount' => 'Invoice Amount',
+ 'exchange_rate' => 'Exchange Rate',
+ 'yes' => 'Yes',
+ 'no' => 'No',
+ 'should_be_invoiced' => 'Should be invoiced',
+ 'view_expense' => 'View expense # :expense',
+ 'edit_expense' => 'Edit Expense',
+ 'archive_expense' => 'Archive Expense',
+ 'delete_expense' => 'Delete Expense',
+ 'view_expense_num' => 'Expense # :expense',
+ 'updated_expense' => 'Successfully updated expense',
+ 'created_expense' => 'Successfully created expense',
+ 'enter_expense' => 'Enter Expense',
+ 'view' => 'View',
+ 'restore_expense' => 'Restore Expense',
+ 'invoice_expense' => 'Invoice Expense',
+ 'expense_error_multiple_clients' => 'The expenses can\'t belong to different clients',
+ 'expense_error_invoiced' => 'Expense has already been invoiced',
+ 'convert_currency' => 'Convert currency',
+ 'num_days' => 'Number of Days',
+ 'create_payment_term' => 'Create Payment Term',
+ 'edit_payment_terms' => 'Edit Payment Term',
+ 'edit_payment_term' => 'Edit Payment Term',
+ 'archive_payment_term' => 'Archive Payment Term',
+ 'recurring_due_dates' => 'Recurring Invoice Due Dates',
+ '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.
+
+
',
+ 'due' => 'Due',
+ 'next_due_on' => 'Due Next: :date',
+ 'use_client_terms' => 'Use client terms',
+ 'day_of_month' => ':ordinal day of month',
+ 'last_day_of_month' => 'Last day of month',
+ 'day_of_week_after' => ':ordinal :day after',
+ 'sunday' => 'Sunday',
+ 'monday' => 'Monday',
+ 'tuesday' => 'Tuesday',
+ 'wednesday' => 'Wednesday',
+ 'thursday' => 'Thursday',
+ 'friday' => 'Friday',
+ 'saturday' => 'Saturday',
+ 'header_font_id' => 'Header Font',
+ 'body_font_id' => 'Body Font',
+ 'color_font_help' => 'Note: the primary color and fonts are also used in the client portal and custom email designs.',
+ 'live_preview' => 'Live Preview',
+ 'invalid_mail_config' => 'Unable to send email, please check that the mail settings are correct.',
+ 'invoice_message_button' => 'To view your invoice for :amount, click the button below.',
+ 'quote_message_button' => 'To view your quote for :amount, click the button below.',
+ 'payment_message_button' => 'Thank you for your payment of :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Credit Cards & Banks',
+ 'add_bank_account' => 'Add Bank Account',
+ 'setup_account' => 'Setup Account',
+ 'import_expenses' => 'Import Expenses',
+ 'bank_id' => 'Bank',
+ 'integration_type' => 'Integration Type',
+ 'updated_bank_account' => 'Successfully updated bank account',
+ 'edit_bank_account' => 'Edit Bank Account',
+ 'archive_bank_account' => 'Archive Bank Account',
+ 'archived_bank_account' => 'Successfully archived bank account',
+ 'created_bank_account' => 'Successfully created bank account',
+ 'validate_bank_account' => 'Validate Bank Account',
+ 'bank_password_help' => 'Note: your password is transmitted securely and never stored on our servers.',
+ 'bank_password_warning' => 'Warning: your password may be transmitted in plain text, consider enabling HTTPS.',
+ 'username' => 'Username',
+ 'account_number' => 'Account Number',
+ 'account_name' => 'Account Name',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Approved',
+ 'quote_settings' => 'Quote Settings',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved by a client.',
+ 'validate' => 'Validate',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Successfully created :count_vendors vendor(s) and :count_expenses expense(s)',
+ 'iframe_url_help3' => 'Note: if you plan on accepting credit cards details we strongly recommend enabling HTTPS on your site.',
+ 'expense_error_multiple_currencies' => 'The expenses can\'t have different currencies.',
+ 'expense_error_mismatch_currencies' => 'The client\'s currency does not match the expense currency.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'First page',
+ 'all_pages' => 'All pages',
+ 'last_page' => 'Last page',
+ 'all_pages_header' => 'Show Header on',
+ 'all_pages_footer' => 'Show Footer on',
+ 'invoice_currency' => 'Invoice Currency',
+ 'enable_https' => 'We strongly recommend using HTTPS to accept credit card details online.',
+ 'quote_issued_to' => 'Quote issued to',
+ 'show_currency_code' => 'Currency Code',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Your account will receive a free two week trial of our pro plan.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Start Free Trial',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Overdue',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'To adjust your email notification settings please visit :link',
+ 'reset_password_footer' => 'If you did not request this password reset please email our support: :email',
+ 'limit_users' => 'Sorry, this will exceed the limit of :limit users',
+ 'more_designs_self_host_header' => 'Get 6 more invoice designs for just $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link to remove the Invoice Ninja logo by joining the Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Click here',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'Viewed',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Emails can not be sent to inactive invoices',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'List Invoices',
+ 'list_clients' => 'List Clients',
+ 'list_quotes' => 'List Quotes',
+ 'list_tasks' => 'List Tasks',
+ 'list_expenses' => 'List Expenses',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => 'List Payments',
+ 'list_credits' => 'List Credits',
+ 'tax_name' => 'Tax Name',
+ 'report_settings' => 'Report Settings',
+ 'search_hotkey' => 'shortcut is /',
+
+ 'new_user' => 'New User',
+ 'new_product' => 'New Product',
+ 'new_tax_rate' => 'New Tax Rate',
+ 'invoiced_amount' => 'Invoiced Amount',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Recurring Number',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Password Protect Invoices',
+ 'enable_portal_password_help' => 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Expired',
+ 'invalid_card_number' => 'The credit card number is not valid.',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Cost',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Owner',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Partial Due',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'January',
+ 'february' => 'February',
+ 'march' => 'March',
+ 'april' => 'April',
+ 'may' => 'May',
+ 'june' => 'June',
+ 'july' => 'July',
+ 'august' => 'August',
+ 'september' => 'September',
+ 'october' => 'October',
+ 'november' => 'November',
+ 'december' => 'December',
+
+ // Documents
+ 'documents_header' => 'Documents:',
+ 'email_documents_header' => 'Documents:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Client Portal',
+ 'enable_client_portal_help' => 'Show/hide the client portal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Account Management',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Monthly',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Month',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Live Preview',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refund Payment',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Refund',
+ 'are_you_sure_refund' => 'Refund selected payments?',
+ 'status_pending' => 'Pending',
+ 'status_completed' => 'Completed',
+ 'status_failed' => 'Failed',
+ 'status_partially_refunded' => 'Partially Refunded',
+ 'status_partially_refunded_amount' => ':amount Refunded',
+ 'status_refunded' => 'Refunded',
+ 'status_voided' => 'Cancelled',
+ 'refunded_payment' => 'Refunded Payment',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Unknown',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Client Id',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Other Providers',
+ 'country_not_supported' => 'That country is not supported.',
+ 'invalid_routing_number' => 'The routing number is not valid.',
+ 'invalid_account_number' => 'The account number is not valid.',
+ 'account_number_mismatch' => 'The account numbers do not match.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Company Account',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Add Account',
+ 'payment_methods' => 'Payment Methods',
+ 'complete_verification' => 'Complete Verification',
+ 'verification_amount1' => 'Amount 1',
+ 'verification_amount2' => 'Amount 2',
+ 'payment_method_verified' => 'Verification completed successfully',
+ 'verification_failed' => 'Verification Failed',
+ 'remove_payment_method' => 'Remove Payment Method',
+ 'confirm_remove_payment_method' => 'Are you sure you want to remove this payment method?',
+ 'remove' => 'Remove',
+ 'payment_method_removed' => 'Removed payment method.',
+ 'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Unknown Bank',
+ 'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
+ 'add_credit_card' => 'Add Credit Card',
+ 'payment_method_added' => 'Added payment method.',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'You must :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Add Payment Method',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Always',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Enabled',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Save payment details',
+ 'add_paypal_account' => 'Add PayPal Account',
+
+
+ 'no_payment_method_specified' => 'No payment method specified',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Format',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Company Name',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Manage Account',
+ 'action_required' => 'Action Required',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Security',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Product File',
+ 'import_products' => 'Import Products',
+ 'products_will_create' => 'products will be created',
+ 'product_key' => 'Product',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'View Dashboard',
+ 'client_session_expired' => 'Session Expired',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bank account',
+ 'auto_bill_payment_method_credit_card' => 'credit card',
+ 'auto_bill_payment_method_paypal' => 'PayPal account',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Payment Settings',
+
+ 'on_send_date' => 'On send date',
+ 'on_due_date' => 'On due date',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bank Account',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privacy Policy',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Verification Pending',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'More options',
+ 'credit_card' => 'Credit Card',
+ 'bank_transfer' => 'Bank Transfer',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Added :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'This gateway already exists',
+ 'manual_entry' => 'Manual entry',
+ 'start_of_week' => 'First Day of the Week',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Weekly',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Two weeks',
+ 'freq_four_weeks' => 'Four weeks',
+ 'freq_monthly' => 'Monthly',
+ 'freq_three_months' => 'Three months',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Six months',
+ 'freq_annually' => 'Annually',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Bank Transfer',
+ 'payment_type_Cash' => 'Cash',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Credit Card Other',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' => 'Photography',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' =>'Photography',
+
+ 'view_client_portal' => 'View client portal',
+ 'view_portal' => 'View Portal',
+ 'vendor_contacts' => 'Vendor Contacts',
+ 'all' => 'All',
+ 'selected' => 'Selected',
+ 'category' => 'Category',
+ 'categories' => 'Categories',
+ 'new_expense_category' => 'New Expense Category',
+ 'edit_category' => 'Edit Category',
+ 'archive_expense_category' => 'Archive Category',
+ 'expense_categories' => 'Expense Categories',
+ 'list_expense_categories' => 'List Expense Categories',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Apply taxes',
+ 'min_to_max_users' => ':min to :max users',
+ 'max_users_reached' => 'The maximum number of users has been reached.',
+ 'buy_now_buttons' => 'Buy Now Buttons',
+ 'landing_page' => 'Landing Page',
+ 'payment_type' => 'Payment Type',
+ 'form' => 'Form',
+ 'link' => 'Link',
+ 'fields' => 'Fields',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Enable support for buy now buttons',
+ 'changes_take_effect_immediately' => 'Note: changes take effect immediately',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Something went wrong',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Please select a contact',
+ 'no_client_selected' => 'Please select a client',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Add 1 :product',
+ 'not_authorized' => 'You are not authorized',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Day',
+ 'week' => 'Week',
+ 'month' => 'Month',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Reports',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Date Range',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Annual revenue',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Vendor',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Invoice',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/ca/validation.php b/resources/lang/ca/validation.php
new file mode 100644
index 000000000000..e08e8bd152b7
--- /dev/null
+++ b/resources/lang/ca/validation.php
@@ -0,0 +1,116 @@
+ ':attribute ha de ser acceptat.',
+ 'active_url' => ':attribute no és un URL vàlid.',
+ 'after' => ':attribute ha de ser una data posterior a :date.',
+ 'alpha' => ':attribute només pot contenir lletres.',
+ 'alpha_dash' => ':attribute només por contenir lletres, números i guions.',
+ 'alpha_num' => ':attribute només pot contenir lletres i números.',
+ 'array' => ':attribute ha de ser un conjunt.',
+ 'before' => ':attribute ha de ser una data anterior a :date.',
+ 'between' => [
+ 'numeric' => ":attribute ha d'estar entre :min - :max.",
+ 'file' => ':attribute ha de pesar entre :min - :max kilobytes.',
+ 'string' => ':attribute ha de tenir entre :min - :max caràcters.',
+ 'array' => ':attribute ha de tenir entre :min - :max ítems.',
+ ],
+ 'boolean' => 'El camp :attribute ha de ser veritat o fals',
+ 'confirmed' => 'La confirmació de :attribute no coincideix.',
+ 'date' => ':attribute no és una data vàlida.',
+ 'date_format' => ':attribute no correspon al format :format.',
+ 'different' => ':attribute i :other han de ser diferents.',
+ 'digits' => ':attribute ha de tenir :digits digits.',
+ 'digits_between' => ':attribute ha de tenir entre :min i :max digits.',
+ 'dimensions' => 'The :attribute has invalid image dimensions.',
+ 'distinct' => 'The :attribute field has a duplicate value.',
+ 'email' => ':attribute no és un e-mail vàlid',
+ 'exists' => ':attribute és invàlid.',
+ 'filled' => 'El camp :attribute és obligatori.',
+ 'image' => ':attribute ha de ser una imatge.',
+ 'in' => ':attribute és invàlid',
+ 'in_array' => 'The :attribute field does not exist in :other.',
+ 'integer' => ':attribute ha de ser un nombre enter.',
+ 'ip' => ':attribute ha de ser una adreça IP vàlida.',
+ 'json' => 'El camp :attribute ha de contenir una cadena JSON vàlida.',
+ 'max' => [
+ 'numeric' => ':attribute no ha de ser major a :max.',
+ 'file' => ':attribute no ha de ser més gran que :max kilobytes.',
+ 'string' => ':attribute no ha de ser més gran que :max characters.',
+ 'array' => ':attribute no ha de tenir més de :max ítems.',
+ ],
+ 'mimes' => ':attribute ha de ser un arxiu amb format: :values.',
+ 'min' => [
+ 'numeric' => "El tamany de :attribute ha de ser d'almenys :min.",
+ 'file' => "El tamany de :attribute ha de ser d'almenys :min kilobytes.",
+ 'string' => ':attribute ha de contenir almenys :min caràcters.',
+ 'array' => ':attribute ha de tenir almenys :min ítems.',
+ ],
+ 'not_in' => ':attribute és invàlid.',
+ 'numeric' => ':attribute ha de ser numèric.',
+ 'present' => 'The :attribute field must be present.',
+ 'regex' => 'El format de :attribute és invàlid.',
+ 'required' => 'El camp :attribute és obligatori.',
+ 'required_if' => 'El camp :attribute és obligatori quan :other és :value.',
+ 'required_unless' => 'The :attribute field is required unless :other is in :values.',
+ 'required_with' => 'El camp :attribute és obligatori quan :values és present.',
+ 'required_with_all' => 'El camp :attribute és obligatori quan :values és present.',
+ 'required_without' => 'El camp :attribute és obligatori quan :values no és present.',
+ 'required_without_all' => 'El camp :attribute és obligatori quan cap dels :values estan presents.',
+ 'same' => ':attribute i :other han de coincidir.',
+ 'size' => [
+ 'numeric' => 'El tamany de :attribute ha de ser :size.',
+ 'file' => 'El tamany de :attribute ha de ser :size kilobytes.',
+ 'string' => ':attribute ha de contenir :size caràcters.',
+ 'array' => ':attribute ha de contenir :size ítems.',
+ ],
+ 'string' => 'El camp :attribute ha de ser una cadena de caràcters.',
+ 'timezone' => 'El camp :attribute ha de ser una zona vàlida.',
+ 'unique' => ':attribute ja ha estat registrat.',
+ 'url' => 'El format :attribute és invàlid.',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ //
+ ],
+
+];
diff --git a/resources/lang/cs/auth.php b/resources/lang/cs/auth.php
new file mode 100644
index 000000000000..aec1bc4c0596
--- /dev/null
+++ b/resources/lang/cs/auth.php
@@ -0,0 +1,19 @@
+ 'Tyto přihlašovací údajě neodpovídají žadnému záznamu.',
+ 'throttle' => 'Příliš mnoho pokusů o přihlášení. Zkuste to prosím znovu za :seconds vteřin.',
+
+];
diff --git a/resources/lang/cs/pagination.php b/resources/lang/cs/pagination.php
new file mode 100644
index 000000000000..0931d77fabfb
--- /dev/null
+++ b/resources/lang/cs/pagination.php
@@ -0,0 +1,19 @@
+ '« předchozí',
+ 'next' => 'další »',
+
+];
diff --git a/resources/lang/cs/passwords.php b/resources/lang/cs/passwords.php
new file mode 100644
index 000000000000..271d609e96da
--- /dev/null
+++ b/resources/lang/cs/passwords.php
@@ -0,0 +1,22 @@
+ 'Heslo musí obsahovat alespoň 6 znaků a musí odpovídat.',
+ 'reset' => 'Heslo bylo obnoveno!',
+ 'sent' => 'Upomínka ke změně hesla byla odeslána!',
+ 'token' => 'Klíč pro obnovu hesla je nesprávný.',
+ 'user' => 'Nepodařilo se najít uživatele s touto e-mailovou adresou.',
+
+];
diff --git a/resources/lang/cs/texts.php b/resources/lang/cs/texts.php
new file mode 100644
index 000000000000..9c7fb93e6242
--- /dev/null
+++ b/resources/lang/cs/texts.php
@@ -0,0 +1,2874 @@
+ 'Organizace',
+ 'name' => 'Jméno',
+ 'website' => 'Web',
+ 'work_phone' => 'Telefon',
+ 'address' => 'Adresa',
+ 'address1' => 'Ulice',
+ 'address2' => 'Pokoj',
+ 'city' => 'Město',
+ 'state' => 'Oblast',
+ 'postal_code' => 'PSČ',
+ 'country_id' => 'Země',
+ 'contacts' => 'Kontakty',
+ 'first_name' => 'Jméno',
+ 'last_name' => 'Příjmení',
+ 'phone' => 'Telefon',
+ 'email' => 'Email',
+ 'additional_info' => 'Další informace',
+ 'payment_terms' => 'Platební podmínky',
+ 'currency_id' => 'Měna',
+ 'size_id' => 'Velikost firmy',
+ 'industry_id' => 'Odvětví',
+ 'private_notes' => 'Soukromé poznámky',
+ 'invoice' => 'Faktura',
+ 'client' => 'Klient',
+ 'invoice_date' => 'Datum vystavení',
+ 'due_date' => 'Datum splatnosti',
+ 'invoice_number' => 'Číslo faktury',
+ 'invoice_number_short' => 'Faktura #',
+ 'po_number' => 'Číslo objednávky',
+ 'po_number_short' => 'Objednávka #',
+ 'frequency_id' => 'Jak často',
+ 'discount' => 'Sleva',
+ 'taxes' => 'Daně',
+ 'tax' => 'Daň',
+ 'item' => 'Položka',
+ 'description' => 'Popis',
+ 'unit_cost' => 'Jednotková cena',
+ 'quantity' => 'Množství',
+ 'line_total' => 'Celkem',
+ 'subtotal' => 'Mezisoučet',
+ 'paid_to_date' => 'Zaplaceno ke dni',
+ 'balance_due' => 'Zbývá zaplatit',
+ 'invoice_design_id' => 'Design',
+ 'terms' => 'Podmínky',
+ 'your_invoice' => 'Vaše faktura',
+ 'remove_contact' => 'Odstranit kontakt',
+ 'add_contact' => 'Přidat kontakt',
+ 'create_new_client' => 'Vytvořit nového klienta',
+ 'edit_client_details' => 'Editovat detaily klienta',
+ 'enable' => 'Umožnit',
+ 'learn_more' => 'Více informací',
+ 'manage_rates' => 'Spravovat sazby',
+ 'note_to_client' => 'Poznámka ke klientovi',
+ 'invoice_terms' => 'Fakturační podmínky',
+ 'save_as_default_terms' => 'Uložit jako výchozí podmínky',
+ 'download_pdf' => 'Stáhnout PDF',
+ 'pay_now' => 'Zaplatit nyní',
+ 'save_invoice' => 'Uložit fakturu',
+ 'clone_invoice' => 'Clone To Invoice',
+ 'archive_invoice' => 'Archivovat fakturu',
+ 'delete_invoice' => 'Smazat fakturu',
+ 'email_invoice' => 'Poslat fakturu emailem',
+ 'enter_payment' => 'Zadat platbu',
+ 'tax_rates' => 'Sazby daně',
+ 'rate' => 'Sazba',
+ 'settings' => 'Nastavení',
+ 'enable_invoice_tax' => 'Umožnit nastavit daň na faktuře',
+ 'enable_line_item_tax' => 'Umožnit nastavitdaně u položek',
+ 'dashboard' => 'Hlavní panel',
+ 'clients' => 'Klienti',
+ 'invoices' => 'Faktury',
+ 'payments' => 'Platby',
+ 'credits' => 'Kredity',
+ 'history' => 'Historie',
+ 'search' => 'Vyhledat',
+ 'sign_up' => 'Zaregistrovat se',
+ 'guest' => 'Host',
+ 'company_details' => 'Detaily firmy',
+ 'online_payments' => 'Online platby',
+ 'notifications' => 'Oznámení',
+ 'import_export' => 'Import | Export',
+ 'done' => 'Hotovo',
+ 'save' => 'Uložit',
+ 'create' => 'Vytvořit',
+ 'upload' => 'Nahrát',
+ 'import' => 'Importovat',
+ 'download' => 'Stáhnout',
+ 'cancel' => 'Zrušit',
+ 'close' => 'Zavřít',
+ 'provide_email' => 'Prosím zadejte platnou adresu',
+ 'powered_by' => 'Vytvořeno',
+ 'no_items' => 'Žádné položky',
+ 'recurring_invoices' => 'Pravidelné faktury',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'v celkových příjmech',
+ 'billed_client' => 'klient s fakturací',
+ 'billed_clients' => 'klienti s fakturací',
+ 'active_client' => 'aktivní klient',
+ 'active_clients' => 'aktivní klienti',
+ 'invoices_past_due' => 'Faktury po splatnosti',
+ 'upcoming_invoices' => 'Nadcházející faktury',
+ 'average_invoice' => 'Průměrná faktura',
+ 'archive' => 'Archivovat',
+ 'delete' => 'Smazat',
+ 'archive_client' => 'Archivovat klienta',
+ 'delete_client' => 'Smazat klienta',
+ 'archive_payment' => 'Archivovat platbu',
+ 'delete_payment' => 'Smazat platbu',
+ 'archive_credit' => 'Archivovat kredit',
+ 'delete_credit' => 'Smazat kredit',
+ 'show_archived_deleted' => 'Zobrazit archivované/smazané',
+ 'filter' => 'Filtr',
+ 'new_client' => 'Nový klient',
+ 'new_invoice' => 'Nová faktura',
+ 'new_payment' => 'Zadat platbu',
+ 'new_credit' => 'Zadat kredit',
+ 'contact' => 'Kontakt',
+ 'date_created' => 'Datum vytvoření',
+ 'last_login' => 'Poslední přihlášení',
+ 'balance' => 'Zůstatek',
+ 'action' => 'Akce',
+ 'status' => 'Status',
+ 'invoice_total' => 'Celková částka',
+ 'frequency' => 'Frekvence',
+ 'start_date' => 'Počáteční datum',
+ 'end_date' => 'Konečné datum',
+ 'transaction_reference' => 'Odkaz na transakci',
+ 'method' => 'Metoda',
+ 'payment_amount' => 'Částka k platbě',
+ 'payment_date' => 'Datum platby',
+ 'credit_amount' => 'Počet kreditu',
+ 'credit_balance' => 'Zůstatek kreditu',
+ 'credit_date' => 'Datum kreditu',
+ 'empty_table' => 'Nejsou dostupná žádná data',
+ 'select' => 'Zvolit',
+ 'edit_client' => 'Editovat klienta',
+ 'edit_invoice' => 'Editovat fakturu',
+ 'create_invoice' => 'Vytvořit fakturu',
+ 'enter_credit' => 'Zadat kredit',
+ 'last_logged_in' => 'Poslední přihlášení',
+ 'details' => 'Detaily',
+ 'standing' => 'Trvající',
+ 'credit' => 'Kredit',
+ 'activity' => 'Aktivita',
+ 'date' => 'Datum',
+ 'message' => 'Zpráva',
+ 'adjustment' => 'Úprava',
+ 'are_you_sure' => 'Jste si jisti?',
+ 'payment_type_id' => 'Typ platby',
+ 'amount' => 'Částka',
+ 'work_email' => 'Email',
+ 'language_id' => 'Jazyk',
+ 'timezone_id' => 'Časová zóna',
+ 'date_format_id' => 'Formát datumu',
+ 'datetime_format_id' => 'Formátu času a datumu',
+ 'users' => 'Uživatelé',
+ 'localization' => 'Lokalizace',
+ 'remove_logo' => 'Odstranit logo',
+ 'logo_help' => 'Podporováno: JPEG, GIF a PNG',
+ 'payment_gateway' => 'Platební brána',
+ 'gateway_id' => 'Brána',
+ 'email_notifications' => 'Emailové notifikace',
+ 'email_sent' => 'Odeslat email, pokud je faktura odeslaná',
+ 'email_viewed' => 'Odeslat email, pokud je faktura zobrazena',
+ 'email_paid' => 'Odeslat email, pokud je faktura zaplacena',
+ 'site_updates' => 'Změny na webu',
+ 'custom_messages' => 'Volitelné vzkazy',
+ 'default_email_footer' => 'Nastavit výchozí emailový podpis',
+ 'select_file' => 'Prosím zvolte soubor',
+ 'first_row_headers' => 'Použít první řádku jako záhlaví',
+ 'column' => 'Sloupec',
+ 'sample' => 'Vzorek',
+ 'import_to' => 'Importovat do',
+ 'client_will_create' => 'klient bude vytvořen',
+ 'clients_will_create' => 'klienti budou vytvořeni',
+ 'email_settings' => 'Nastavení emailu',
+ 'client_view_styling' => 'Úprava klientského zobrazení',
+ 'pdf_email_attachment' => 'Připojit PDF',
+ 'custom_css' => 'Volitelné CSS',
+ 'import_clients' => 'Importovat klientská data',
+ 'csv_file' => 'CSV soubor',
+ 'export_clients' => 'Exportovat klientská data',
+ 'created_client' => 'Klient úspěšně vytvořen',
+ 'created_clients' => ':count klientů bylo úspěšně vytvořeno',
+ 'updated_settings' => 'Nastavení úspěšně změněno',
+ 'removed_logo' => 'Logo úspěšně odstraněno',
+ 'sent_message' => 'Zpráva úspěšně odeslána',
+ 'invoice_error' => 'Ujistěte se, že máte zvoleného klienta a opravte případné chyby',
+ 'limit_clients' => 'Omlouváme se, toto přesáhne limit :count klientů',
+ 'payment_error' => 'Nastala chyba během zpracování Vaší platby. Zkuste to prosím znovu později.',
+ 'registration_required' => 'Pro odeslání faktury se prosím zaregistrujte',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Klient úspěšně aktualizován',
+ 'created_client' => 'Klient úspěšně vytvořen',
+ 'archived_client' => 'Klient úspěšně archivován',
+ 'archived_clients' => ':count klientů bylo úspěšně archivováno',
+ 'deleted_client' => 'Klient úspěšně smazán',
+ 'deleted_clients' => ':count klientů bylo úspěšně smazáno',
+ 'updated_invoice' => 'Faktura úspěšně aktualizována',
+ 'created_invoice' => 'Faktura úspěšně vytvořena',
+ 'cloned_invoice' => 'Faktura úspěšně zduplikována',
+ 'emailed_invoice' => 'Faktura úspěšně odeslána',
+ 'and_created_client' => 'a vytvořen klient',
+ 'archived_invoice' => 'Faktura úspěšně archivována',
+ 'archived_invoices' => ':count faktur úspěšně archivováno',
+ 'deleted_invoice' => 'Faktura úspěšně smazána',
+ 'deleted_invoices' => ':count faktur úspěšně smazáno',
+ 'created_payment' => 'Platba úspěšně vytvořena',
+ 'created_payments' => ':count plateb úspěšně vytvořeno',
+ 'archived_payment' => 'Platba úspěšně archivována',
+ 'archived_payments' => ':count plateb úspěšně archivováno',
+ 'deleted_payment' => 'Platba úspěšně smazána',
+ 'deleted_payments' => ':count plateb bylo úspěšně smazáno',
+ 'applied_payment' => 'Platba úspěšně aplikována',
+ 'created_credit' => 'Kredit úspěšně vytvořen',
+ 'archived_credit' => 'Kredit úspěšně archivován',
+ 'archived_credits' => ':count kreditů bylo úspěšně archivováno',
+ 'deleted_credit' => 'Kredit úspěšně smazán',
+ 'deleted_credits' => ':count kreditů bylo úspěšně smazáno',
+ 'imported_file' => 'Soubor úspěšně importován',
+ 'updated_vendor' => 'Dodavatel úspěšně aktualizován',
+ 'created_vendor' => 'Dodavatel úspěšně vytvořen',
+ 'archived_vendor' => 'Dodavatel úspěšně archivován',
+ 'archived_vendors' => ':count dodavatelů bylo úspěšně archivováno',
+ 'deleted_vendor' => 'Dodavatel úspěšně smazán',
+ 'deleted_vendors' => ':count dodavatelů bylo úspěšně smazáno',
+ 'confirmation_subject' => 'Invoice Ninja účet - ověření',
+ 'confirmation_header' => 'Ověření účtu',
+ 'confirmation_message' => 'Prosím klikněte na odkaz níže pro potvrzení Vašeho účtu.',
+ 'invoice_subject' => 'New invoice :number from :account',
+ 'invoice_message' => 'Pro zobrazení faktury za :amount, klikněte na odkaz níže.',
+ 'payment_subject' => 'Platba obdržena',
+ 'payment_message' => 'Děkujeme za Vaši platbu vy výši :amount.',
+ 'email_salutation' => 'Vážený(á) :name,',
+ 'email_signature' => 'S pozdravem,',
+ 'email_from' => 'Tým Invoice Ninja',
+ 'invoice_link_message' => 'Pro zobrazení faktury klikněte na odkaz níže:',
+ 'notification_invoice_paid_subject' => 'Faktura :invoice byla zaplacena klientem :client',
+ 'notification_invoice_sent_subject' => 'Faktura :invoice byla odeslána klientovi :client',
+ 'notification_invoice_viewed_subject' => 'Faktura :invoice byla zobrazena klientem :client',
+ 'notification_invoice_paid' => 'Platba ve výši :amount byla provedena klientem :client za fakturu :invoice.',
+ 'notification_invoice_sent' => 'Klientovi :client byla odeslána faktura :invoice za :amount.',
+ 'notification_invoice_viewed' => 'Klient :client zobrazil fakturu :invoice za :amount.',
+ 'reset_password' => 'Své heslo můžete resetovat kliknutím na následující tlačítko:',
+ 'secure_payment' => 'Bezpečná platba',
+ 'card_number' => 'Číslo karty',
+ 'expiration_month' => 'Měsíc expirace',
+ 'expiration_year' => 'Rok expirace',
+ 'cvv' => 'CVV kód',
+ 'logout' => 'Odhlásit se',
+ 'sign_up_to_save' => 'Pro uložení své práce se zaregistrujte',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Obchodní podmínky',
+ 'email_taken' => 'Tento email už byl registrován',
+ 'working' => 'Pracuji',
+ 'success' => 'Úspěch',
+ 'success_message' => 'Registrace proběhla úspěšně! Pro potvrzení Vašeho účtu klikněte na odkaz v emailu, který jsme Vám zaslali.',
+ 'erase_data' => 'Váš účet není zaregistrován, toto permanentně smaže Vaše data.',
+ 'password' => 'Heslo',
+ 'pro_plan_product' => 'Profi plán',
+ 'pro_plan_success' => 'Děkujeme za použití Profi plánu od Invoice Ninja!
+ Další krokyFaktura k úhradě Vám byla zaslána na email spojený s tímto účtem.
+ Pro povolení všech skvělých profi vlastností si prosím přečtěte instrukce pro provedení platby na zaslané faktuře
+ pro roční využívání Profi plánu.
+ Nemůžete fakturu najít? Potřebujete pomoc? Rádi Vám pomůžeme na
+ -- emailu contact@invoiceninja.com',
+ 'unsaved_changes' => 'Máte neuložené změny',
+ 'custom_fields' => 'Volitelná pole',
+ 'company_fields' => 'Pole pro firmu',
+ 'client_fields' => 'Pole pro klienta',
+ 'field_label' => 'Popiska pole',
+ 'field_value' => 'Hodnota pole',
+ 'edit' => 'Upravit',
+ 'set_name' => 'Nastavit jméno Vaší firmy',
+ 'view_as_recipient' => 'Zobrazit jako příjemce',
+ 'product_library' => 'Katalog produktů',
+ 'product' => 'Produkt',
+ 'products' => 'Produkty',
+ 'fill_products' => 'Automaticky předvyplnit produkty',
+ 'fill_products_help' => 'Výběr produktu automaticky vyplní popis a cenu',
+ 'update_products' => 'Automaticky aktualizovat produkty',
+ 'update_products_help' => 'Změna na faktuře automaticky aktualizuje katalog produktů',
+ 'create_product' => 'Přidat produkt',
+ 'edit_product' => 'Upravit produkt',
+ 'archive_product' => 'Archivovat produkt',
+ 'updated_product' => 'Produkt úspěšně aktualizován',
+ 'created_product' => 'Produkt úspěšně vytvořen',
+ 'archived_product' => 'Produkt úspěšně archivován',
+ 'pro_plan_custom_fields' => ':link pro nastavení volitelných polí je nutný Profi plán',
+ 'advanced_settings' => 'Pokročilé nastavení',
+ 'pro_plan_advanced_settings' => ':link pro nastavení pokročilých nastavení je nutný Profi plán',
+ 'invoice_design' => 'Vzhled faktur',
+ 'specify_colors' => 'Vyberte barvy',
+ 'specify_colors_label' => 'Vyberte barvy použité na faktuře',
+ 'chart_builder' => 'Generátor grafů',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Přejít na Profi',
+ 'quote' => 'Nabídka',
+ 'quotes' => 'Nabídky',
+ 'quote_number' => 'Číslo nabídky',
+ 'quote_number_short' => 'Nabídka #',
+ 'quote_date' => 'Datum nabídky',
+ 'quote_total' => 'Celkem',
+ 'your_quote' => 'Vaše nabídky',
+ 'total' => 'Celkem',
+ 'clone' => 'Duplikovat',
+ 'new_quote' => 'Nová nabídka',
+ 'create_quote' => 'Vytvořit nabídku',
+ 'edit_quote' => 'Upravit nabídku',
+ 'archive_quote' => 'Archivovat nabídku',
+ 'delete_quote' => 'Smazat nabídku',
+ 'save_quote' => 'Uložit nabídku',
+ 'email_quote' => 'Odeslat nabídku emailem',
+ 'clone_quote' => 'Clone To Quote',
+ 'convert_to_invoice' => 'Změnit na fakturu',
+ 'view_invoice' => 'Zobrazit fakturu',
+ 'view_client' => 'Zobrazit klienta',
+ 'view_quote' => 'Zobrazit nabídku',
+ 'updated_quote' => 'Nabídka úspěšně aktualizována',
+ 'created_quote' => 'Nabídka úspěšně vytvořena',
+ 'cloned_quote' => 'Nabídka úspěšně zduplikována',
+ 'emailed_quote' => 'Nabídka úspěšně odeslána',
+ 'archived_quote' => 'Nabídka úspěšně archivována',
+ 'archived_quotes' => ':count nabídek bylo úspěšně archivováno',
+ 'deleted_quote' => 'Nabídka úspěšně smazána',
+ 'deleted_quotes' => ':count nabídek bylo úspěšně smazáno',
+ 'converted_to_invoice' => 'Nabídka byla úspěšně změněna na fakturu',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'Pro zobrazení nabídky za :amount, klikněte na odkaz níže.',
+ 'quote_link_message' => 'Pro zobrazení nabídky vašeho klienta klikněte na odkaz níže:',
+ 'notification_quote_sent_subject' => 'Nabídka :invoice byla odeslána klientovi :client',
+ 'notification_quote_viewed_subject' => 'Nabídka :invoice byla zobrazena klientem :client',
+ 'notification_quote_sent' => 'Klientovi :client byla emailem odeslána nabídka :invoice za :amount.',
+ 'notification_quote_viewed' => 'Klient :client zobrazil nabídku :invoice za :amount.',
+ 'session_expired' => 'Vaše přihlášení vypršelo.',
+ 'invoice_fields' => 'Pole na faktuře',
+ 'invoice_options' => 'Možnosti faktury',
+ 'hide_paid_to_date' => 'Skrýt Zaplaceno ke dni',
+ 'hide_paid_to_date_help' => 'Zobrazit na faktuře "Zaplaceno ke dni" pouze když přijde platba.',
+ 'charge_taxes' => 'Použít daně',
+ 'user_management' => 'Správa uživatelů',
+ 'add_user' => 'Přidat uživatele',
+ 'send_invite' => 'Poslat pozvánku',
+ 'sent_invite' => 'Pozvánka úspěšně odeslána',
+ 'updated_user' => 'Uživatel úspěšně změněn',
+ 'invitation_message' => 'Byl(a) jste pozván(a) od :invitor. ',
+ 'register_to_add_user' => 'Prosím zaregistrujte se pro přidání uživatele',
+ 'user_state' => 'Stav',
+ 'edit_user' => 'Upravit uživatele',
+ 'delete_user' => 'Smazat uživatele',
+ 'active' => 'Aktivní',
+ 'pending' => 'Nevyřízený',
+ 'deleted_user' => 'Uživatel úspěšně smazán',
+ 'confirm_email_invoice' => 'Jste si jistí, že chcete odeslat tuto fakturu?',
+ 'confirm_email_quote' => 'Jste si jistí, že chcete odeslat tuto nabídku?',
+ 'confirm_recurring_email_invoice' => 'Jste si jistí, že chcete odeslat tuto fakturu?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Smazat účet',
+ 'cancel_account_message' => 'Varování: Toto permanentně odstraní Váš účet. Tato akce je nevratná.',
+ 'go_back' => 'Jít zpět',
+ 'data_visualizations' => 'Vizualizace dat',
+ 'sample_data' => 'Zobrazit vzorová data',
+ 'hide' => 'Skrýt',
+ 'new_version_available' => 'Nová verze :releases_link je k dispozici. Nyní používáte :user_version, poslední je :latest_version',
+ 'invoice_settings' => 'Nastavení faktury',
+ 'invoice_number_prefix' => 'Nastavení prefixu čísla faktury',
+ 'invoice_number_counter' => 'Číselná řada faktur',
+ 'quote_number_prefix' => 'Prefix čísla nabídky',
+ 'quote_number_counter' => 'Číselná řada nabídek',
+ 'share_invoice_counter' => 'Sdílet číselnou řadu faktur',
+ 'invoice_issued_to' => 'Faktura vystavena',
+ 'invalid_counter' => 'Pro případný konflikt si raději nastavte prefix pro faktury nebo nabídky',
+ 'mark_sent' => 'Značka odesláno',
+ 'gateway_help_1' => ':link zaregistrovat se na Authorize.net.',
+ 'gateway_help_2' => ':link zaregistrovat se na Authorize.net.',
+ 'gateway_help_17' => ':link získat PayPal API signature.',
+ 'gateway_help_27' => ':link to sign up for 2Checkout.com. To ensure payments are tracked set :complete_link as the redirect URL under Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'Více vzhledů',
+ 'more_designs_title' => 'Další vzhledy faktur',
+ 'more_designs_cloud_header' => 'Přejděte na Profi plán pro více vzhledů faktur',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Buy',
+ 'bought_designs' => 'Další vzhledy faktur přidány',
+ 'sent' => 'Odesláno',
+ 'vat_number' => 'DIČ',
+ 'timesheets' => 'Časové výkazy',
+ 'payment_title' => 'Zadejte Vaší fakturační adresu a informace o platební kartě',
+ 'payment_cvv' => '*To jsou 3-4 čísla na zadní straně Vaší karty',
+ 'payment_footer1' => '*Fakturační adresa musí sedět s tou uvedenou u platební karty.',
+ 'payment_footer2' => '*Prosím kliněte na "Zaplatit nyní " jenom jednou - transkace může trvat až 1 minutu.',
+ 'id_number' => 'IČO',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'Úspěšně nastavena white label licence',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Obnovit',
+ 'restore_invoice' => 'Obnovit fakturu',
+ 'restore_quote' => 'Obnovit nabídku',
+ 'restore_client' => 'Obnovit klienta',
+ 'restore_credit' => 'Obnovit kredit',
+ 'restore_payment' => 'Obnovit platbu',
+ 'restored_invoice' => 'Faktura úspěšně obnovena',
+ 'restored_quote' => 'Nabídka úspěšně obnovena',
+ 'restored_client' => 'Klient úspěšně obnoven',
+ 'restored_payment' => 'Platba úspěšně obnovena',
+ 'restored_credit' => 'Kredit úspěšně obnoven',
+ 'reason_for_canceling' => 'Když nám řeknete proč odcházíte, pomůžete nám zlepšit náš web. Děkujeme.',
+ 'discount_percent' => 'Procento',
+ 'discount_amount' => 'Částka',
+ 'invoice_history' => 'Historie faktur',
+ 'quote_history' => 'Historie nabídek',
+ 'current_version' => 'Současná verze',
+ 'select_version' => 'Vyberte verzi',
+ 'view_history' => 'Zobrazit historii',
+ 'edit_payment' => 'Editovat platbu',
+ 'updated_payment' => 'Platba úspěšně změněna',
+ 'deleted' => 'Smazáno',
+ 'restore_user' => 'Obnovit uživatele',
+ 'restored_user' => 'Uživatel úspěšně obnoven',
+ 'show_deleted_users' => 'Zobrazit smazané uživatele',
+ 'email_templates' => 'Emailové šablony',
+ 'invoice_email' => 'Email pro fakturu',
+ 'payment_email' => 'Email pro platbu',
+ 'quote_email' => 'Email pro nabídku',
+ 'reset_all' => 'Resetovat vše',
+ 'approve' => 'Schválit',
+ 'token_billing_type_id' => 'Token účtování',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Vypnuto',
+ 'token_billing_2' => 'Opt-in - checkbox je zobrazen nezaškrtnutý',
+ 'token_billing_3' => 'Opt-out - je zobrazen zaškrtnutý',
+ 'token_billing_4' => 'Vždy',
+ 'token_billing_checkbox' => 'Ukládat detaily platební karty',
+ 'view_in_gateway' => 'Zobrazit v :gateway',
+ 'use_card_on_file' => 'Use Card on File',
+ 'edit_payment_details' => 'Editovat platební údaje',
+ 'token_billing' => 'Ukládat platební údaje',
+ 'token_billing_secure' => 'Data jsou bezpečně uložena u :stripe_link',
+ 'support' => 'Popdora',
+ 'contact_information' => 'Kontaktní informace',
+ '256_encryption' => '256-Bitové šifrování',
+ 'amount_due' => 'Částka k platbě',
+ 'billing_address' => 'Fakturační adresa',
+ 'billing_method' => 'Způsob fakturace',
+ 'order_overview' => 'Přehled objednávky',
+ 'match_address' => '*Adresa musí odpovídat té uvedené na platební kartě.',
+ 'click_once' => '*Prosím klikněte na "Zaplatit nyní" pouze jednou - transkace může trvat až 1 minutu.',
+ 'invoice_footer' => 'Patička faktury',
+ 'save_as_default_footer' => 'Uložit jako výchozí patičku',
+ 'token_management' => 'Správa tokenů',
+ 'tokens' => 'Tokeny',
+ 'add_token' => 'Přidat token',
+ 'show_deleted_tokens' => 'Zobrazit smazané tokeny',
+ 'deleted_token' => 'Token úspěšně smazán',
+ 'created_token' => 'Token úspěšně vytvořen',
+ 'updated_token' => 'Token úspěšně změněn',
+ 'edit_token' => 'Editovat token',
+ 'delete_token' => 'Smazat Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Přidat platební bránu',
+ 'delete_gateway' => 'Smazat platební bránu',
+ 'edit_gateway' => 'Editovat bránu',
+ 'updated_gateway' => 'Brána úspěšně změněna',
+ 'created_gateway' => 'Brána úspěšně vytvořena',
+ 'deleted_gateway' => 'Brána úspěšně smazána',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Platební karty',
+ 'change_password' => 'Změnit heslo',
+ 'current_password' => 'Současné heslo',
+ 'new_password' => 'Nové heslo',
+ 'confirm_password' => 'Potvrdit heslo',
+ 'password_error_incorrect' => 'Současné heslo je neplatné.',
+ 'password_error_invalid' => 'Nové heslo je neplatné.',
+ 'updated_password' => 'Heslo úspěšně změněno',
+ 'api_tokens' => 'API Tokeny',
+ 'users_and_tokens' => 'Uživatelé & Tokeny',
+ 'account_login' => 'Přihlášení k účtu',
+ 'recover_password' => 'Obnovit vaše heslo',
+ 'forgot_password' => 'Zapomněli jste heslo?',
+ 'email_address' => 'Email',
+ 'lets_go' => 'Jdeme na to',
+ 'password_recovery' => 'Obnovení hesla',
+ 'send_email' => 'Odeslat email',
+ 'set_password' => 'Nastavit heslo',
+ 'converted' => 'Zkonvertováno',
+ 'email_approved' => 'Odeslat email po schválení nabídky',
+ 'notification_quote_approved_subject' => 'Nabídka :invoice byla schválena :client',
+ 'notification_quote_approved' => 'Klient :client schválil nabídku :invoice na :amount.',
+ 'resend_confirmation' => 'Znovu poslat potvrzovací email',
+ 'confirmation_resent' => 'Potvrzení bylo odesláno emailem',
+ 'gateway_help_42' => ':link zaregistrujte se na BitPay.
Poznámka: použijte Legacy API Key, nikoliv API token.',
+ 'payment_type_credit_card' => 'Platební karty',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Knowledge Base',
+ 'partial' => 'Partial/Deposit',
+ 'partial_remaining' => ':partial z :balance',
+ 'more_fields' => 'Více polí',
+ 'less_fields' => 'Méně polí',
+ 'client_name' => 'Jméno klienta',
+ 'pdf_settings' => 'Nastavení PDF',
+ 'product_settings' => 'Nastavení produktu',
+ 'auto_wrap' => 'Automatické zalomení řádky',
+ 'duplicate_post' => 'Varování: předchozí stránka byla odeslána dvakrát. Druhé odeslání bylo ignorováno.',
+ 'view_documentation' => 'Zobrazit dokumentaci',
+ 'app_title' => 'Open source online fakrurace',
+ 'app_description' => 'Invoice Ninja je bezplatné open-source řešení pro fakturaci a účtování zákazníkům.
+ S Invoice Ninja, můžete jednoduše vytvářet a posílat hezké faktury z jakéhokoli zařízení, které má přístup na web. Vaši klienti si mohou faktury
+ vytisknout, stáhnout jako PDF nebo Vám rovnou online zaplatit.',
+ 'rows' => 'řádky',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'subdoména',
+ 'provide_name_or_email' => 'Prosím zadejte jméno nebo email',
+ 'charts_and_reports' => 'Grafy & Reporty',
+ 'chart' => 'Graf',
+ 'report' => 'Report',
+ 'group_by' => 'Seskupené podle',
+ 'paid' => 'Zaplacené',
+ 'enable_report' => 'Report',
+ 'enable_chart' => 'Graf',
+ 'totals' => 'Celkem',
+ 'run' => 'Běh',
+ 'export' => 'Export',
+ 'documentation' => 'Dokumentace',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Pravidelné',
+ 'last_invoice_sent' => 'Poslední faktura byla odeslána :date',
+ 'processed_updates' => 'Změna úspěšně provedena',
+ 'tasks' => 'Úlohy',
+ 'new_task' => 'Nový úloha',
+ 'start_time' => 'Počáteční čas',
+ 'created_task' => 'Úloha úspěšně vytvořena',
+ 'updated_task' => 'Úloha úspěšně změněna',
+ 'edit_task' => 'Editovat úlohu',
+ 'archive_task' => 'Archivovat úlohu',
+ 'restore_task' => 'Obnovit úlohu',
+ 'delete_task' => 'Smazat úlohu',
+ 'stop_task' => 'Zastavit úlohu',
+ 'time' => 'Čas',
+ 'start' => 'Začátek',
+ 'stop' => 'Konec',
+ 'now' => 'Nyní',
+ 'timer' => 'Časovač',
+ 'manual' => 'Manuální',
+ 'date_and_time' => 'Datum & Čas',
+ 'second' => 'Sekunda',
+ 'seconds' => 'Sekundy',
+ 'minute' => 'Minuta',
+ 'minutes' => 'Minuty',
+ 'hour' => 'Hodina',
+ 'hours' => 'Hodiny',
+ 'task_details' => 'Detaily úlohy',
+ 'duration' => 'Trvání',
+ 'end_time' => 'Čas konce',
+ 'end' => 'Konec',
+ 'invoiced' => 'Fakturováno',
+ 'logged' => 'Přihlášen',
+ 'running' => 'Bežící',
+ 'task_error_multiple_clients' => 'Úloha nemůže být přiřazena různým klientům',
+ 'task_error_running' => 'Prosím zatavte napřed běžící úlohy',
+ 'task_error_invoiced' => 'Úlohy byly vyfakturovány',
+ 'restored_task' => 'Úloha úspěšně obnovena',
+ 'archived_task' => 'Úloha úspěšně archivována',
+ 'archived_tasks' => 'Úspěšně archivováno :count úloh',
+ 'deleted_task' => 'Úloha úspěšně smazána',
+ 'deleted_tasks' => 'Úspěšně smazáno :count úloh',
+ 'create_task' => 'Vytvořit úlohu',
+ 'stopped_task' => 'Úloha úspěšně zastavena',
+ 'invoice_task' => 'Fakturační úloha',
+ 'invoice_labels' => 'Fakturační popisky',
+ 'prefix' => 'Prefix',
+ 'counter' => 'Počítadlo',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link zaregistrujte se na Dwolla',
+ 'partial_value' => 'Musí být větší než nula a méně než součet',
+ 'more_actions' => 'Více akcí',
+ 'pro_plan_title' => 'NINJA PROFI',
+ 'pro_plan_call_to_action' => 'Upgradujte nyní!',
+ 'pro_plan_feature1' => 'Neomezené množství klientů',
+ 'pro_plan_feature2' => 'Přístup k 10 nádherným šablonám faktur',
+ 'pro_plan_feature3' => 'Volitelné URLs - "vaseznacka.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Odstranit "Vytvořeno Invoice Ninja"',
+ 'pro_plan_feature5' => 'Přístup více uživatelů & sledování aktivit',
+ 'pro_plan_feature6' => 'Vytváření nabídek & proforem',
+ 'pro_plan_feature7' => 'Úprava popisu polí faktur & číslování',
+ 'pro_plan_feature8' => 'Možnost připojit PDF soubor do emailu klientům',
+ 'resume' => 'Pokračovat',
+ 'break_duration' => 'Přestávka',
+ 'edit_details' => 'Editovat detaily',
+ 'work' => 'Práce',
+ 'timezone_unset' => 'Prosím :link nastavte si vaší časovou zónu',
+ 'click_here' => 'klikněte zde',
+ 'email_receipt' => 'Odeslat potvrzení platby klientovi',
+ 'created_payment_emailed_client' => 'ˇUspěšně vytvořena platba a odesláno info klientovi',
+ 'add_company' => 'Přidat firmu',
+ 'untitled' => 'Neoznačené',
+ 'new_company' => 'Nová firma',
+ 'associated_accounts' => 'Účty úspěšně spojeny',
+ 'unlinked_account' => 'Účty úspěšně rozspojeny',
+ 'login' => 'Přihlášení',
+ 'or' => 'nebo',
+ 'email_error' => 'Nastal problém s odesláním emailu',
+ 'confirm_recurring_timing' => 'Poznámka: Emaily jsou odesílány na záčátku hodiny.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Nastaví jako výchozí datum splatnosti faktury',
+ 'unlink_account' => 'Odpojit účet',
+ 'unlink' => 'Odpojit',
+ 'show_address' => 'Ukázat adresu',
+ 'show_address_help' => 'Klient musí poskytnout fakturační adresu',
+ 'update_address' => 'Změnit adresu',
+ 'update_address_help' => 'Změnit adresu klienta podle poskytnutých detailů',
+ 'times' => 'Časy',
+ 'set_now' => 'Nastavit nyní',
+ 'dark_mode' => 'Tmavý mód',
+ 'dark_mode_help' => 'Použít tmavé pozadí pro postranní panely',
+ 'add_to_invoice' => 'Přidat k faktuře :invoice',
+ 'create_new_invoice' => 'Vytvořit novou fakturu',
+ 'task_errors' => 'Prosím opravte překrývající se časy',
+ 'from' => 'Od',
+ 'to' => 'Komu',
+ 'font_size' => 'Velikost fontu',
+ 'primary_color' => 'Základní barva',
+ 'secondary_color' => 'Druhá barva',
+ 'customize_design' => 'Upravit design',
+ 'content' => 'Obsah',
+ 'styles' => 'Styly',
+ 'defaults' => 'Výchozí',
+ 'margins' => 'Marže',
+ 'header' => 'Hlavička',
+ 'footer' => 'Patička',
+ 'custom' => 'Volitelné',
+ 'invoice_to' => 'Fakturovat komu',
+ 'invoice_no' => 'Faktura č.',
+ 'quote_no' => 'Nabídka Č.',
+ 'recent_payments' => 'Poslední platby',
+ 'outstanding' => 'Nezaplaceno',
+ 'manage_companies' => 'Spravovat firmy',
+ 'total_revenue' => 'Celkové příjmy',
+ 'current_user' => 'Aktuální uživatel',
+ 'new_recurring_invoice' => 'Nová pravidelná faktura',
+ 'recurring_invoice' => 'Pravidelná faktura',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Brzy se vytvoří další pravidelná faktura, je nastavena na :date',
+ 'created_by_invoice' => 'Vytvořeno :invoice',
+ 'primary_user' => 'Primární uživatel',
+ 'help' => 'Pomoc',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Datum splatnosti',
+ 'quote_due_date' => 'Platí do',
+ 'valid_until' => 'Platí do',
+ 'reset_terms' => 'Resetovat podmínky',
+ 'reset_footer' => 'Resetovat patičku',
+ 'invoice_sent' => ':count invoice sent',
+ 'invoices_sent' => ':count invoices sent',
+ 'status_draft' => 'Návrh',
+ 'status_sent' => 'Odesláno',
+ 'status_viewed' => 'Zobrazené',
+ 'status_partial' => 'Částečné',
+ 'status_paid' => 'Placené',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Zobrazit daně v řádku v položkách',
+ 'iframe_url' => 'Web',
+ 'iframe_url_help1' => 'Zkopírujte následující kód na Váš web.',
+ 'iframe_url_help2' => 'Tuto vlastnost můžete vyzkoušet kliknutím na \'Vidět jako příjemce\' jako fakturu.',
+ 'auto_bill' => 'Automatické fakturování',
+ 'military_time' => '24 hodinový čas',
+ 'last_sent' => 'Poslední odeslány',
+ 'reminder_emails' => 'Připomínky emailem',
+ 'templates_and_reminders' => 'Šablony & Připomínky',
+ 'subject' => 'Předmět',
+ 'body' => 'Tělo',
+ 'first_reminder' => 'První připomínka',
+ 'second_reminder' => 'Druhá připomínka',
+ 'third_reminder' => 'Třetí připomínka',
+ 'num_days_reminder' => 'Dny po splatnosti',
+ 'reminder_subject' => 'Připomínka: Faktura :invoice od :account',
+ 'reset' => 'Resetovat',
+ 'invoice_not_found' => 'Požadovaná faktura není k dispozici',
+ 'referral_program' => 'Referral program',
+ 'referral_code' => 'Referral URL',
+ 'last_sent_on' => 'Poslední odeslání: :date',
+ 'page_expire' => 'Tato stránka brzy expiruje, :click_here pro pokračování zobrazení',
+ 'upcoming_quotes' => 'Nadcházející nabídky',
+ 'expired_quotes' => 'Prošlé nabídky',
+ 'sign_up_using' => 'Zaregistrujte se pro použití',
+ 'invalid_credentials' => 'Tyto údaje neodpovídají našim záznamům.',
+ 'show_all_options' => 'Zobrazit všechny možnosti',
+ 'user_details' => 'Uživatelské detaily',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Vypnout',
+ 'invoice_quote_number' => 'Čísla faktur a nabídek',
+ 'invoice_charges' => 'Invoice Surcharges',
+ 'notification_invoice_bounced' => 'Nebyli jsme schopni doručit fakturu :invoice na :contact.',
+ 'notification_invoice_bounced_subject' => 'Nebylo možné doručit fakturu :invoice',
+ 'notification_quote_bounced' => 'Nebyli jsme schopni doručit nabídku :invoice na :contact.',
+ 'notification_quote_bounced_subject' => 'Nebylo možné doručit nabídku :invoice',
+ 'custom_invoice_link' => 'Odkaz na fakturu',
+ 'total_invoiced' => 'Celkem fakturováno',
+ 'open_balance' => 'Zůstatek',
+ 'verify_email' => 'Prosím klikněte na odkaz v potvrzovacím emailu pro ověření správné adresy.',
+ 'basic_settings' => 'Základní nastavení',
+ 'pro' => 'Profi',
+ 'gateways' => 'Platební brány',
+ 'next_send_on' => 'Další odeslání: :date',
+ 'no_longer_running' => 'Tato faktura není nastavena aby proběhla',
+ 'general_settings' => 'Obecné nastavení',
+ 'customize' => 'Přizpůsobení',
+ 'oneclick_login_help' => 'Připojte si účet pro přihlášení bez použití hesla',
+ 'referral_code_help' => 'Vydělejte si peníze díky sdílení odkazu na naší aplikaci',
+ 'enable_with_stripe' => 'Povolit | Vyžaduje Stripe',
+ 'tax_settings' => 'Nastavení daní',
+ 'create_tax_rate' => 'Přidat daňovou sazbu',
+ 'updated_tax_rate' => 'Daňová sazba úspěšně změněna',
+ 'created_tax_rate' => 'Daňová sazba úspěšně vytvořena',
+ 'edit_tax_rate' => 'Editovat daňovou sazbu',
+ 'archive_tax_rate' => 'Archivovat daňovou sazbu',
+ 'archived_tax_rate' => 'Daňová sazba úspěšně archivována',
+ 'default_tax_rate_id' => 'Výchozí daňová sazba',
+ 'tax_rate' => 'Daňová sazba',
+ 'recurring_hour' => 'Pravidelná hodina',
+ 'pattern' => 'Vzorec',
+ 'pattern_help_title' => 'Pomoc se vzorcem',
+ 'pattern_help_1' => 'Create custom numbers by specifying a pattern',
+ 'pattern_help_2' => 'Dostupné proměnné:',
+ 'pattern_help_3' => 'Například, :example může být konvertováno na :value',
+ 'see_options' => 'Zobrazit možnosti',
+ 'invoice_counter' => 'Počítadlo faktur',
+ 'quote_counter' => 'Počítadlo nabídek',
+ 'type' => 'Typ',
+ 'activity_1' => ':user vytvořil klienta :client',
+ 'activity_2' => ':user archivoval klienta :client',
+ 'activity_3' => ':user smazal klienta :client',
+ 'activity_4' => ':user vytvořil fakturu :invoice',
+ 'activity_5' => ':user změnil fakturu :invoice',
+ 'activity_6' => ':user odeslal fakturu :invoice to :contact',
+ 'activity_7' => ':contact zobrazil fakturu :invoice',
+ 'activity_8' => ':user archivoval fakturu :invoice',
+ 'activity_9' => ':user smazal fakturu :invoice',
+ 'activity_10' => ':contact zadal platbu :payment na :invoice',
+ 'activity_11' => ':user změnil platbu :payment',
+ 'activity_12' => ':user archivoval platbu :payment',
+ 'activity_13' => ':user smazal platbu :payment',
+ 'activity_14' => ':user zadal :credit kredit',
+ 'activity_15' => ':user změnil :credit kredit',
+ 'activity_16' => ':user archivoval :credit kredit',
+ 'activity_17' => ':user smazal :credit kredit',
+ 'activity_18' => ':user vytvořil nabídku :quote',
+ 'activity_19' => ':user změnil nabídku :quote',
+ 'activity_20' => ':user odeslal nabídku :quote to :contact',
+ 'activity_21' => ':contact zobrazil nabídku :quote',
+ 'activity_22' => ':user archivoval nabídku :quote',
+ 'activity_23' => ':user smazal nabídku :quote',
+ 'activity_24' => ':user obnovil nabídku :quote',
+ 'activity_25' => ':user obnovil fakturu :invoice',
+ 'activity_26' => ':user obnovil klienta :client',
+ 'activity_27' => ':user obnovil platbu :payment',
+ 'activity_28' => ':user obnovil :credit kredit',
+ 'activity_29' => ':contact schválil nabídku :quote',
+ 'activity_30' => ':user created vendor :vendor',
+ 'activity_31' => ':user archived vendor :vendor',
+ 'activity_32' => ':user deleted vendor :vendor',
+ 'activity_33' => ':user restored vendor :vendor',
+ 'activity_34' => ':user vytvořil výdaj :expense',
+ 'activity_35' => ':user archived expense :expense',
+ 'activity_36' => ':user deleted expense :expense',
+ 'activity_37' => ':user restored expense :expense',
+ 'activity_42' => ':user created task :task',
+ 'activity_43' => ':user updated task :task',
+ 'activity_44' => ':user archived task :task',
+ 'activity_45' => ':user deleted task :task',
+ 'activity_46' => ':user restored task :task',
+ 'activity_47' => ':user updated expense :expense',
+ 'payment' => 'Platba',
+ 'system' => 'Systém',
+ 'signature' => 'Emailový podpis',
+ 'default_messages' => 'Výchozí vzkazy',
+ 'quote_terms' => 'Podmínky nabídky',
+ 'default_quote_terms' => 'Výchozí podmínky nabídky',
+ 'default_invoice_terms' => 'Výchozí fakturační podmínky',
+ 'default_invoice_footer' => 'Výchozí patička faktury',
+ 'quote_footer' => 'Patička nabídky',
+ 'free' => 'Zdarma',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Použít kredit',
+ 'system_settings' => 'Nastavení systému',
+ 'archive_token' => 'Archivovat token',
+ 'archived_token' => 'Token úspěšně archivován',
+ 'archive_user' => 'Archivovaný uživatel',
+ 'archived_user' => 'Užival úspěšně archivován',
+ 'archive_account_gateway' => 'Archivovat bránu',
+ 'archived_account_gateway' => 'Brána úspěšně archivována',
+ 'archive_recurring_invoice' => 'Archivovat pravidelnou fakturu',
+ 'archived_recurring_invoice' => 'Pravidelná faktura úspěšně archivována',
+ 'delete_recurring_invoice' => 'Smazat pravidelnou fakturu',
+ 'deleted_recurring_invoice' => 'Pravidelná faktura smazána',
+ 'restore_recurring_invoice' => 'Obnovit pravidelnou fakturu',
+ 'restored_recurring_invoice' => 'Pravidelná faktura obnovena',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archivováno',
+ 'untitled_account' => 'Společnost bez názvu',
+ 'before' => 'Před',
+ 'after' => 'Po',
+ 'reset_terms_help' => 'Resetovat na výchozí podmínky účtu',
+ 'reset_footer_help' => 'Resetovat na výchozí hlavičku účtu',
+ 'export_data' => 'Exportovat data',
+ 'user' => 'Uživatel',
+ 'country' => 'Země',
+ 'include' => 'Zahrnout',
+ 'logo_too_large' => 'Vaše logo je :size, pro rychlejší zobrazení v PDF navrhujeme nahrát soubor menší než 200KB',
+ 'import_freshbooks' => 'Importovat z FreshBooks',
+ 'import_data' => 'Importovat data',
+ 'source' => 'Zdroj',
+ 'csv' => 'CSV',
+ 'client_file' => 'Soubor s klienty',
+ 'invoice_file' => 'Soubor s fakturami',
+ 'task_file' => 'Soubor s úlohami',
+ 'no_mapper' => 'Mapování pro soubor není k dispozici',
+ 'invalid_csv_header' => 'Naplatná hlavička v CSV souboru',
+ 'client_portal' => 'Klientský portál',
+ 'admin' => 'Administrátor',
+ 'disabled' => 'Nepovolen',
+ 'show_archived_users' => 'Zobrazit archivované uživatele',
+ 'notes' => 'Poznámky',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => 'faktury budou vytvořeny',
+ 'failed_to_import' => 'Následující záznamy selhaly u importu, buď již existují nebo nemají požadovaná pole.',
+ 'publishable_key' => 'Veřejný klíč',
+ 'secret_key' => 'Tajný klíč',
+ 'missing_publishable_key' => 'Nastavte veřejný klíč Stripe pro lepší proces platby',
+ 'email_design' => 'Vzhled emailu',
+ 'due_by' => 'Splatnost do :date',
+ 'enable_email_markup' => 'Umožnit mikroznačky',
+ 'enable_email_markup_help' => 'Přidejte si mikroznačky schema.org do emailu a usnadněte tak vašim klientům platby.',
+ 'template_help_title' => 'Nápověda k šablonám',
+ 'template_help_1' => 'Dostupné proměnné:',
+ 'email_design_id' => 'Styl emailu',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'Prostý text',
+ 'light' => 'Světlý',
+ 'dark' => 'Tmavý',
+ 'industry_help' => 'Používá se pro porovnání proti průměru u firem podobné velikosti a podobného odvětví.',
+ 'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Určete prefix nebo použijte upravitelný vzorec pro nastavení číslování faktur.',
+ 'quote_number_help' => 'Určete prefix nebo použijte upravitelný vzorec pro nastavení číslování nabídek.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Přidejte si pole a hodnotu k detailům společnosti na PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Přidejte si pole během vytváření faktury a zahrňte ho mezi poplatky do faktury.',
+ 'token_expired' => 'Validační token expiroval. Prosím vyzkoušejte znovu.',
+ 'invoice_link' => 'Odkaz na fakturu',
+ 'button_confirmation_message' => 'Klikněte pro potvrzení Vaší emailové adresy.',
+ 'confirm' => 'Potvrzuji',
+ 'email_preferences' => 'Email preference',
+ 'created_invoices' => 'Úspěšně vytvořeno :count faktur',
+ 'next_invoice_number' => 'Další číslo faktury je :number.',
+ 'next_quote_number' => 'Další číslo nabídky je :number.',
+ 'days_before' => 'days before the',
+ 'days_after' => 'days after the',
+ 'field_due_date' => 'datum splatnosti',
+ 'field_invoice_date' => 'datum vystavení',
+ 'schedule' => 'Rozvrh',
+ 'email_designs' => 'Vzhled emailů',
+ 'assigned_when_sent' => 'Přiřazeno při odeslání',
+ 'white_label_purchase_link' => 'Zakoupit white label licenci',
+ 'expense' => 'Náklad',
+ 'expenses' => 'Náklady',
+ 'new_expense' => 'Enter Expense',
+ 'enter_expense' => 'Zadat náklad',
+ 'vendors' => 'Dodavatelé',
+ 'new_vendor' => 'Nový dodavatel',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Dodavatel',
+ 'edit_vendor' => 'Editovat dodavatele',
+ 'archive_vendor' => 'Archivovat dodavatele',
+ 'delete_vendor' => 'Smazat dodavatele',
+ 'view_vendor' => 'Zobrazit dodavatele',
+ 'deleted_expense' => 'Náklad úspěšně smazán',
+ 'archived_expense' => 'Náklad úspěšně archivován',
+ 'deleted_expenses' => 'Náklad úspěšně smazán',
+ 'archived_expenses' => 'Náklady úspěšně archivovány',
+ 'expense_amount' => 'Částka nákladů',
+ 'expense_balance' => 'Zůstatek nákladů',
+ 'expense_date' => 'Datum nákladu',
+ 'expense_should_be_invoiced' => 'Má tento náklad být fakturován?',
+ 'public_notes' => 'Veřejné poznámky',
+ 'invoice_amount' => 'Částka faktury',
+ 'exchange_rate' => 'Měnový kurz',
+ 'yes' => 'Ano',
+ 'no' => 'Ne',
+ 'should_be_invoiced' => 'Má být fakturován',
+ 'view_expense' => 'Zobrazit náklad # :expense',
+ 'edit_expense' => 'Editovat náklad',
+ 'archive_expense' => 'Archivovat náklad',
+ 'delete_expense' => 'Smazat náklad',
+ 'view_expense_num' => 'Náklad # :expense',
+ 'updated_expense' => 'Náklad úspěšně změněn',
+ 'created_expense' => 'Náklad úspěšně vytvořen',
+ 'enter_expense' => 'Zadat náklad',
+ 'view' => 'Zobrazit',
+ 'restore_expense' => 'Obnovit náklady',
+ 'invoice_expense' => 'Fakturovat náklady',
+ 'expense_error_multiple_clients' => 'Náklady nemohou patřit různým klientům',
+ 'expense_error_invoiced' => 'Náklady byly již vyfakturovány',
+ 'convert_currency' => 'Zkonvertovat měnu',
+ 'num_days' => 'Počet dní',
+ 'create_payment_term' => 'Vytvořit platební podmínky',
+ 'edit_payment_terms' => 'Editovat platební podmínky',
+ 'edit_payment_term' => 'Editovat platební podmínky',
+ 'archive_payment_term' => 'Archivovat platební podmínky',
+ 'recurring_due_dates' => 'Datumy splatnosti pravidelných faktur',
+ 'recurring_due_date_help' => 'Automaticky nastavit datum splatnosti na fakturách
+ U faktury s měsíčním nebo ročním cyklem bude nastavena měsíční splatnost v dalším měsíci. 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.
+ Faktury se splatností k 29. nebo 30 v měsících, které tyto dny nemají se splatnost nastaví k poslednímu dni v měsíci.
+ Faktury s týdenním cyklem mají jako výchozí týdenní splatnost.
+ Například:
+
+ - Dnes je 15tého, datum splatnosti je 1.den v měsíci. Datum splatnosti tedy bude prvního dne další měsíc.
+ - Dnes je 15tého, datum splatnosti je poslední datum v měsíci. Datum splatnosti bude tedy poslední den v tomto měsíci.
+
+ - Dnes je 15tého , datum splatnosti je nastaven na 15. den v měsíci. Datum splatnosti tedy bude 15tého další měsíc.
+
+ - Dnes je pátek, datum splatnosti je nastaveno na první pátek za týden. Datum splatnosti bude tedy další pátek, nikoliv dnes.
+
+
',
+ 'due' => 'Splatnost',
+ 'next_due_on' => 'Další splatnost: :date',
+ 'use_client_terms' => 'Použít podmínky klienta',
+ 'day_of_month' => ':ordinal den v měsíci',
+ 'last_day_of_month' => 'poslední den v měsíci',
+ 'day_of_week_after' => ':ordinal :týden poté',
+ 'sunday' => 'Neděle',
+ 'monday' => 'Pondělí',
+ 'tuesday' => 'Úterý',
+ 'wednesday' => 'Středa',
+ 'thursday' => 'Čtvrtek',
+ 'friday' => 'Pátek',
+ 'saturday' => 'Sobota',
+ 'header_font_id' => 'Hlavička font',
+ 'body_font_id' => 'Font těla',
+ 'color_font_help' => 'Poznámka: primární barva a fonty jsou rovněž použity v klientském portálu a upravených šablonách emailů.',
+ 'live_preview' => 'Náhled',
+ 'invalid_mail_config' => 'Nelze odeslat email, zkontrolujte prosím nastavení emailu.',
+ 'invoice_message_button' => 'Pro zobrazení faktury na :amount, klikněte na tlačítko níže.',
+ 'quote_message_button' => 'Pro zobrazení nabídky na :amount, klikněte na tlačítko níže.',
+ 'payment_message_button' => 'Děkujeme za Vaši platbu :amount.',
+ 'payment_type_direct_debit' => 'Platba převodem',
+ 'bank_accounts' => 'Platební karty & Banky',
+ 'add_bank_account' => 'Přidat bankovní účet',
+ 'setup_account' => 'Nastavení účtu',
+ 'import_expenses' => 'Importovat náklady',
+ 'bank_id' => 'Banka',
+ 'integration_type' => 'Typ integrace',
+ 'updated_bank_account' => 'Bankovní účet úspěšně změněn',
+ 'edit_bank_account' => 'Editovat bankovní účet',
+ 'archive_bank_account' => 'Archivovat bankovní účet',
+ 'archived_bank_account' => 'Bankovní účet úspěšně archivován',
+ 'created_bank_account' => 'Bankovní účet úspěšně vytvořen',
+ 'validate_bank_account' => 'Ověřit bankovní účet ',
+ 'bank_password_help' => 'Poznámka: Vaše heslo je bezpečně přeneseno a nikdy není uloženo na našich serverech.',
+ 'bank_password_warning' => 'Varování: vaše heslo může být přenášeno jako prostý text, zvažte prosím aktivaci HTTPS.',
+ 'username' => 'Uživatelské jméno',
+ 'account_number' => 'Číslo účtu',
+ 'account_name' => 'Název účtu',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Schváleno',
+ 'quote_settings' => 'Nastavení nabídek',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automaticky zkonvertovat nabídku na fakturu po schválení klientem.',
+ 'validate' => 'Ověřit',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Úspěšně vytvořeno :count_vendors dodavatelů a :count_expenses nákladů',
+ 'iframe_url_help3' => 'Poznámka: pokud chcete akceptovat kreditní karty nastavte si HTTPS na vašem webu.',
+ 'expense_error_multiple_currencies' => 'Náklady nemohou být v různých měnách.',
+ 'expense_error_mismatch_currencies' => 'Měna klienta neodpovídá měně u nákladu.',
+ 'trello_roadmap' => 'Trello roadmapa',
+ 'header_footer' => 'Hlavička/Patička',
+ 'first_page' => 'první stránka',
+ 'all_pages' => 'všechny stránky',
+ 'last_page' => 'poslední stránka',
+ 'all_pages_header' => 'Zobrazit hlavičku',
+ 'all_pages_footer' => 'Zobrazit patičku',
+ 'invoice_currency' => 'Měna faktury',
+ 'enable_https' => 'Pro akceptování platebních karet online používejte vždy HTTPS.',
+ 'quote_issued_to' => 'Náklad je vystaven',
+ 'show_currency_code' => 'Kód měny',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Váš účet získá zdarma 2 týdny zkušební verze Profi plánu.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Vyzkoušet zdarma',
+ 'trial_success' => '14-ti denní zkušební lhůta úspěšně nastavena',
+ 'overdue' => 'Po termínu',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'Pro úpravu emailových notifikací prosím navštivte :link',
+ 'reset_password_footer' => 'Pokud jste nepožádali o resetování hesla, prosím kontaktujte naši podporu na: :email',
+ 'limit_users' => 'Omlouváme se, to už přesáhlo limit :limit uživatelů',
+ 'more_designs_self_host_header' => 'Získejte 6 dalších vzhledů faktur jen za $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link za $:price získáte volitelné úpravy a pomůžete podpoře našeho projektu.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link pro odstranění loga Invoice Ninja připojením se k profi plánu',
+ 'pro_plan_remove_logo_link' => 'Klikněte zde',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'Viewed',
+ 'email_error_inactive_client' => 'Emaily nemohou být odeslány neaktivním klientům',
+ 'email_error_inactive_contact' => 'Emaily nemohou být odeslány neaktivním kontaktům',
+ 'email_error_inactive_invoice' => 'Emaily nemohou být odeslány k neaktivním fakturám',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Pro odesílání emailů si prosím zaregistrujte účet',
+ 'email_error_user_unconfirmed' => 'Pro posílání emailů potvrďte prosím Váš účet.',
+ 'email_error_invalid_contact_email' => 'Neplatný kontaktní email',
+
+ 'navigation' => 'Navigace',
+ 'list_invoices' => 'Seznam faktur',
+ 'list_clients' => 'Seznam klientů',
+ 'list_quotes' => 'Seznam nabídek',
+ 'list_tasks' => 'Seznam úloh',
+ 'list_expenses' => 'Seznam nákladů',
+ 'list_recurring_invoices' => 'Seznam pravidelných faktur',
+ 'list_payments' => 'Seznam plateb',
+ 'list_credits' => 'Seznam kreditů',
+ 'tax_name' => 'Název daně',
+ 'report_settings' => 'Nastavení reportů',
+ 'search_hotkey' => 'Zkratka je /',
+
+ 'new_user' => 'Nový uživatel',
+ 'new_product' => 'Nový produkt',
+ 'new_tax_rate' => 'Nová sazba daně',
+ 'invoiced_amount' => 'Fakturovaná částka',
+ 'invoice_item_fields' => 'Pole položky faktury',
+ 'custom_invoice_item_fields_help' => 'Během vytváření faktury si přidejte pole a zobrazte si jeho popis a hodnotu v PDF.',
+ 'recurring_invoice_number' => 'Recurring Number',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Password Protect Invoices',
+ 'enable_portal_password_help' => 'Umožní Vám nastavit heslo pro každý kontakt. Pokud heslo nastavíte, tak kontakt ho bude pro zobrazení faktury vždy použít.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'Pokud heslo není nastaveno, bude vygenerováno a zasláno spolu s první fakturou.',
+
+ 'expired' => 'Expirované',
+ 'invalid_card_number' => 'Číslo platební karty není platné.',
+ 'invalid_expiry' => 'Datum expirace není platné.',
+ 'invalid_cvv' => 'CVV není platné.',
+ 'cost' => 'Cena',
+ 'create_invoice_for_sample' => 'Poznámka: vytvořte si první fakturu a zde si ji prohlédněte.',
+
+ // User Permissions
+ 'owner' => 'Vlastník',
+ 'administrator' => 'Administrátor',
+ 'administrator_help' => 'Povolit uživatelům spravovat další uživatele, měnit nastavení a všechny záznamy',
+ 'user_create_all' => 'Vytvářet klienty,faktury atd.',
+ 'user_view_all' => 'Vidět všechny klienty,faktury atd.',
+ 'user_edit_all' => 'Editovat všechny klienty,faktury atd.',
+ 'gateway_help_20' => ':link pro registraci na Sage Pay.',
+ 'gateway_help_21' => ':link pro registraci na Sage Pay.',
+ 'partial_due' => 'Částečně splaceno',
+ 'restore_vendor' => 'Obnovit dodavatele',
+ 'restored_vendor' => 'Dodavatel úspěšně obnoven',
+ 'restored_expense' => 'Náklady úspěšně obnoveny',
+ 'permissions' => 'Práva',
+ 'create_all_help' => 'Povolit uživatelům měnit záznamy',
+ 'view_all_help' => 'Povolit uživatelům zobrazit záznamy, které nevytvořili',
+ 'edit_all_help' => 'Povolit uživatelům měnit záznamy, které nevytvořili',
+ 'view_payment' => 'Zobrazit platbu',
+
+ 'january' => 'Leden',
+ 'february' => 'Únor',
+ 'march' => 'Březen',
+ 'april' => 'Duben',
+ 'may' => 'Květen',
+ 'june' => 'Červen',
+ 'july' => 'Červenc',
+ 'august' => 'Srpen',
+ 'september' => 'Září',
+ 'october' => 'Říjen',
+ 'november' => 'Listopad',
+ 'december' => 'Prosinec',
+
+ // Documents
+ 'documents_header' => 'Dokumenty:',
+ 'email_documents_header' => 'Dokumenty:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Dashboard',
+ 'enable_client_portal_help' => 'Skrýt/zobrazit dashboard v klientském portálu.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Account Management',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Měsíčně',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Měsíc',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Měsíčně',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Náhled',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refund Payment',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Refund',
+ 'are_you_sure_refund' => 'Refund selected payments?',
+ 'status_pending' => 'Pending',
+ 'status_completed' => 'Dokončeno',
+ 'status_failed' => 'Failed',
+ 'status_partially_refunded' => 'Partially Refunded',
+ 'status_partially_refunded_amount' => ':amount Refunded',
+ 'status_refunded' => 'Refunded',
+ 'status_voided' => 'Cancelled',
+ 'refunded_payment' => 'Refunded Payment',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Unknown',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Client Id',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Other Providers',
+ 'country_not_supported' => 'That country is not supported.',
+ 'invalid_routing_number' => 'The routing number is not valid.',
+ 'invalid_account_number' => 'The account number is not valid.',
+ 'account_number_mismatch' => 'The account numbers do not match.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Company Account',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Add Account',
+ 'payment_methods' => 'Payment Methods',
+ 'complete_verification' => 'Complete Verification',
+ 'verification_amount1' => 'Amount 1',
+ 'verification_amount2' => 'Amount 2',
+ 'payment_method_verified' => 'Verification completed successfully',
+ 'verification_failed' => 'Verification Failed',
+ 'remove_payment_method' => 'Remove Payment Method',
+ 'confirm_remove_payment_method' => 'Are you sure you want to remove this payment method?',
+ 'remove' => 'Remove',
+ 'payment_method_removed' => 'Removed payment method.',
+ 'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Unknown Bank',
+ 'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
+ 'add_credit_card' => 'Add Credit Card',
+ 'payment_method_added' => 'Added payment method.',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'You must :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Add Payment Method',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Always',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Enabled',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Save payment details',
+ 'add_paypal_account' => 'Add PayPal Account',
+
+
+ 'no_payment_method_specified' => 'No payment method specified',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Format',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Company Name',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Manage Account',
+ 'action_required' => 'Action Required',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Security',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Product File',
+ 'import_products' => 'Import Products',
+ 'products_will_create' => 'products will be created',
+ 'product_key' => 'Product',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'View Dashboard',
+ 'client_session_expired' => 'Session Expired',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bank account',
+ 'auto_bill_payment_method_credit_card' => 'credit card',
+ 'auto_bill_payment_method_paypal' => 'PayPal account',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Payment Settings',
+
+ 'on_send_date' => 'On send date',
+ 'on_due_date' => 'On due date',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bank Account',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privacy Policy',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Verification Pending',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'More options',
+ 'credit_card' => 'Credit Card',
+ 'bank_transfer' => 'Bank Transfer',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Added :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'This gateway already exists',
+ 'manual_entry' => 'Manual entry',
+ 'start_of_week' => 'First Day of the Week',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'týdně',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Two weeks',
+ 'freq_four_weeks' => 'Four weeks',
+ 'freq_monthly' => 'Měsíčně',
+ 'freq_three_months' => 'Three months',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Six months',
+ 'freq_annually' => 'Ročně',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Bank Transfer',
+ 'payment_type_Cash' => 'Cash',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Credit Card Other',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' => 'Photography',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Česká Republika',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Čeština',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' =>'Photography',
+
+ 'view_client_portal' => 'View client portal',
+ 'view_portal' => 'View Portal',
+ 'vendor_contacts' => 'Vendor Contacts',
+ 'all' => 'All',
+ 'selected' => 'Selected',
+ 'category' => 'Category',
+ 'categories' => 'Categories',
+ 'new_expense_category' => 'New Expense Category',
+ 'edit_category' => 'Edit Category',
+ 'archive_expense_category' => 'Archive Category',
+ 'expense_categories' => 'Expense Categories',
+ 'list_expense_categories' => 'List Expense Categories',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Apply taxes',
+ 'min_to_max_users' => ':min to :max users',
+ 'max_users_reached' => 'The maximum number of users has been reached.',
+ 'buy_now_buttons' => 'Buy Now Buttons',
+ 'landing_page' => 'Landing Page',
+ 'payment_type' => 'Payment Type',
+ 'form' => 'Form',
+ 'link' => 'Link',
+ 'fields' => 'Fields',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Enable support for buy now buttons',
+ 'changes_take_effect_immediately' => 'Note: changes take effect immediately',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Something went wrong',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Please select a contact',
+ 'no_client_selected' => 'Please select a client',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Add 1 :product',
+ 'not_authorized' => 'You are not authorized',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Day',
+ 'week' => 'Week',
+ 'month' => 'Měsíc',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Reports',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Date Range',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Roční příjmy',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Vendor',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Uložit koncept',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Invoice',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Poslední měsíc',
+ 'this_month' => 'Tento měsíc',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Faktury od:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'Měsíc/Rok',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Ročně',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Označit jako hotovou',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Zobrazeno :start do :end z :total položek',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/cs/validation.php b/resources/lang/cs/validation.php
new file mode 100644
index 000000000000..85ece14a7f00
--- /dev/null
+++ b/resources/lang/cs/validation.php
@@ -0,0 +1,115 @@
+ ':attribute musí být akceptován.',
+ 'active_url' => ':attribute není platnou URL adresou.',
+ 'after' => ':attribute musí být datum po :date.',
+ 'alpha' => ':attribute může obsahovat pouze písmena.',
+ 'alpha_dash' => ':attribute může obsahovat pouze písmena, číslice, pomlčky a podtržítka. České znaky (á, é, í, ó, ú, ů, ž, š, č, ř, ď, ť, ň) nejsou podporovány.',
+ 'alpha_num' => ':attribute může obsahovat pouze písmena a číslice.',
+ 'array' => ':attribute musí být pole.',
+ 'before' => ':attribute musí být datum před :date.',
+ 'between' => [
+ 'numeric' => ':attribute musí být hodnota mezi :min a :max.',
+ 'file' => ':attribute musí být větší než :min a menší než :max Kilobytů.',
+ 'string' => ':attribute musí být delší než :min a kratší než :max znaků.',
+ 'array' => ':attribute musí obsahovat nejméně :min a nesmí obsahovat více než :max prvků.',
+ ],
+ 'boolean' => ':attribute musí být true nebo false',
+ 'confirmed' => ':attribute nebylo odsouhlaseno.',
+ 'date' => ':attribute musí být platné datum.',
+ 'date_format' => ':attribute není platný formát data podle :format.',
+ 'different' => ':attribute a :other se musí lišit.',
+ 'digits' => ':attribute musí být :digits pozic dlouhé.',
+ 'digits_between' => ':attribute musí být dlouhé nejméně :min a nejvíce :max pozic.',
+ 'distinct' => 'The :attribute field has a duplicate value.',
+ 'email' => ':attribute není platný formát.',
+ 'exists' => 'Zvolená hodnota pro :attribute není platná.',
+ 'filled' => ':attribute musí být vyplněno.',
+ 'image' => ':attribute musí být obrázek.',
+ 'in' => 'Zvolená hodnota pro :attribute není platná.',
+ 'in_array' => 'The :attribute field does not exist in :other.',
+ 'integer' => ':attribute musí být celé číslo.',
+ 'ip' => ':attribute musí být platnou IP adresou.',
+ 'json' => ':attribute musí být platný JSON řetězec.',
+ 'max' => [
+ 'numeric' => ':attribute musí být nižší než :max.',
+ 'file' => ':attribute musí být menší než :max Kilobytů.',
+ 'string' => ':attribute musí být kratší než :max znaků.',
+ 'array' => ':attribute nesmí obsahovat více než :max prvků.',
+ ],
+ 'mimes' => ':attribute musí být jeden z následujících datových typů :values.',
+ 'min' => [
+ 'numeric' => ':attribute musí být větší než :min.',
+ 'file' => ':attribute musí být větší než :min Kilobytů.',
+ 'string' => ':attribute musí být delší než :min znaků.',
+ 'array' => ':attribute musí obsahovat více než :min prvků.',
+ ],
+ 'not_in' => 'Zvolená hodnota pro :attribute je neplatná.',
+ 'numeric' => ':attribute musí být číslo.',
+ 'present' => 'The :attribute field must be present.',
+ 'regex' => ':attribute nemá správný formát.',
+ 'required' => ':attribute musí být vyplněno.',
+ 'required_if' => ':attribute musí být vyplněno pokud :other je :value.',
+ 'required_unless' => 'The :attribute field is required unless :other is in :values.',
+ 'required_with' => ':attribute musí být vyplněno pokud :values je vyplněno.',
+ 'required_with_all' => ':attribute musí být vyplněno pokud :values je zvoleno.',
+ 'required_without' => ':attribute musí být vyplněno pokud :values není vyplněno.',
+ 'required_without_all' => ':attribute musí být vyplněno pokud není žádné z :values zvoleno.',
+ 'same' => ':attribute a :other se musí shodovat.',
+ 'size' => [
+ 'numeric' => ':attribute musí být přesně :size.',
+ 'file' => ':attribute musí mít přesně :size Kilobytů.',
+ 'string' => ':attribute musí být přesně :size znaků dlouhý.',
+ 'array' => ':attribute musí obsahovat právě :size prvků.',
+ ],
+ 'string' => ':attribute musí být řetězec znaků.',
+ 'timezone' => ':attribute musí být platná časová zóna.',
+ 'unique' => ':attribute musí být unikátní.',
+ 'url' => 'Formát :attribute je neplatný.',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ //
+ ],
+
+];
diff --git a/resources/lang/da/pagination.php b/resources/lang/da/pagination.php
new file mode 100644
index 000000000000..6e20cbfa387e
--- /dev/null
+++ b/resources/lang/da/pagination.php
@@ -0,0 +1,20 @@
+ '« Forrige',
+
+ 'next' => 'Næste »',
+
+);
diff --git a/resources/lang/da/reminders.php b/resources/lang/da/reminders.php
new file mode 100644
index 000000000000..2c17b1ffeccc
--- /dev/null
+++ b/resources/lang/da/reminders.php
@@ -0,0 +1,26 @@
+ "Passwords skal minimum være 6 tegn og matche sikkerhedstjekket.",
+
+ "user" => "Vi kan ikke finde en bruger med den email-adresse.",
+
+ "token" => "Password-nulstillingskoden er ugyldig.",
+
+ "sent" => "Password-påmindelse sendt!",
+
+ "reset" => "Password has been reset!",
+
+);
diff --git a/resources/lang/da/texts.php b/resources/lang/da/texts.php
new file mode 100644
index 000000000000..0a87f1ba03b0
--- /dev/null
+++ b/resources/lang/da/texts.php
@@ -0,0 +1,2871 @@
+ 'Organisation',
+ 'name' => 'Navn',
+ 'website' => 'Hjemmeside',
+ 'work_phone' => 'Telefon',
+ 'address' => 'Adresse',
+ 'address1' => 'Gade',
+ 'address2' => 'Nummer',
+ 'city' => 'By',
+ 'state' => 'Område',
+ 'postal_code' => 'Postnummer',
+ 'country_id' => 'Land',
+ 'contacts' => 'Kontakter',
+ 'first_name' => 'Fornavn',
+ 'last_name' => 'Efternavn',
+ 'phone' => 'Telefon',
+ 'email' => 'E-mail',
+ 'additional_info' => 'Ekstra information',
+ 'payment_terms' => 'Betalingsvilkår',
+ 'currency_id' => 'Valuta',
+ 'size_id' => 'Virksomhedens størrelse',
+ 'industry_id' => 'Sektor',
+ 'private_notes' => 'Private notater',
+ 'invoice' => 'Faktura',
+ 'client' => 'Kunde',
+ 'invoice_date' => 'Faktureringsdato',
+ 'due_date' => 'Betalingsfrist',
+ 'invoice_number' => 'Fakturanummer',
+ 'invoice_number_short' => 'Faktura nr.: #',
+ 'po_number' => 'Ordrenummer',
+ 'po_number_short' => 'Ordre nr.: #',
+ 'frequency_id' => 'Frekvens',
+ 'discount' => 'Rabat',
+ 'taxes' => 'Skatter',
+ 'tax' => 'Moms',
+ 'item' => 'Produkttype',
+ 'description' => 'Beskrivelse',
+ 'unit_cost' => 'Pris',
+ 'quantity' => 'Stk.',
+ 'line_total' => 'Sum',
+ 'subtotal' => 'Subtotal',
+ 'paid_to_date' => 'Betalt',
+ 'balance_due' => 'Udestående beløb',
+ 'invoice_design_id' => 'Design',
+ 'terms' => 'Vilkår',
+ 'your_invoice' => 'Din faktura',
+ 'remove_contact' => 'Fjern kontakt',
+ 'add_contact' => 'Tilføj kontakt',
+ 'create_new_client' => 'Opret ny kunde',
+ 'edit_client_details' => 'Redigér kunde detaljer',
+ 'enable' => 'Aktiver',
+ 'learn_more' => 'Lær mere',
+ 'manage_rates' => 'Administrer priser',
+ 'note_to_client' => 'Bemærkning til kunde',
+ 'invoice_terms' => 'Vilkår for fakturaen',
+ 'save_as_default_terms' => 'Gem som standard vilkår',
+ 'download_pdf' => 'Hent PDF',
+ 'pay_now' => 'Betal nu',
+ 'save_invoice' => 'Gem faktura',
+ 'clone_invoice' => 'Kopier til faktura',
+ 'archive_invoice' => 'Arkiver faktura',
+ 'delete_invoice' => 'Slet faktura',
+ 'email_invoice' => 'Send faktura som e-mail',
+ 'enter_payment' => 'Tilføj betaling',
+ 'tax_rates' => 'Moms satser',
+ 'rate' => 'Sats',
+ 'settings' => 'Indstillinger',
+ 'enable_invoice_tax' => 'Aktiver for at specificere en moms',
+ 'enable_line_item_tax' => 'Aktiver for at specificere pr. linjemoms',
+ 'dashboard' => 'Oversigt',
+ 'clients' => 'Kunder',
+ 'invoices' => 'Fakturaer',
+ 'payments' => 'Betalinger',
+ 'credits' => 'Kreditter',
+ 'history' => 'Historie',
+ 'search' => 'Søg',
+ 'sign_up' => 'Registrer dig',
+ 'guest' => 'Gæst',
+ 'company_details' => 'Virksomheds information',
+ 'online_payments' => 'On-line betaling',
+ 'notifications' => 'Påmindelser',
+ 'import_export' => 'Import/Eksport',
+ 'done' => 'Færdig',
+ 'save' => 'Gem',
+ 'create' => 'Opret',
+ 'upload' => 'Send',
+ 'import' => 'Importer',
+ 'download' => 'Hent',
+ 'cancel' => 'Annuller',
+ 'close' => 'Luk',
+ 'provide_email' => 'Opgiv venligst en gyldig e-mail',
+ 'powered_by' => 'Powered by',
+ 'no_items' => 'Ingen emner',
+ 'recurring_invoices' => 'Gentagende fakturaer',
+ 'recurring_help' => 'Send automatisk klienter de samme fakturaer ugentligt, månedligt, hver anden måned, kvartalsvis eller årligt.
+ Brug :MONTH, :QUARTER eller :YEAR ved dynamiske datoer. Basal matematik virker også, for eksempel :MONTH-1.
+ Eksempler på dynamiske fakturavariabler:
+
+ - "Fitness medlemskab for :MONTH" >> "Fitness medlemskab for Juli"
+ - ":YEAR+1 årligt abonnement" >> "2015 Årligt abonnement"
+ - "Tilbagebetaling vedrørende :QUARTER+1" >> "Tilbagebetaling vedrørende 2. kvartal"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'i samlet indtægt',
+ 'billed_client' => 'faktureret kunde',
+ 'billed_clients' => 'fakturerede kunder',
+ 'active_client' => 'aktiv kunde',
+ 'active_clients' => 'aktive kunder',
+ 'invoices_past_due' => 'Forfaldne fakturaer',
+ 'upcoming_invoices' => 'Kommende fakturaer',
+ 'average_invoice' => 'Gennemsnitlig fakturaer',
+ 'archive' => 'Arkiv',
+ 'delete' => 'Slet',
+ 'archive_client' => 'Arkiver kunde',
+ 'delete_client' => 'Slet kunde',
+ 'archive_payment' => 'Arkiver betaling',
+ 'delete_payment' => 'Slet betaling',
+ 'archive_credit' => 'Arkiver kredit',
+ 'delete_credit' => 'Slet kredit',
+ 'show_archived_deleted' => 'Vis arkiverede/slettede',
+ 'filter' => 'Filter',
+ 'new_client' => 'Ny kunde',
+ 'new_invoice' => 'Ny faktura',
+ 'new_payment' => 'Indtast betaling',
+ 'new_credit' => 'Indtast kredit',
+ 'contact' => 'Kontakt',
+ 'date_created' => 'Dato oprettet',
+ 'last_login' => 'Sidst set',
+ 'balance' => 'Balance',
+ 'action' => 'Handling',
+ 'status' => 'Status',
+ 'invoice_total' => 'Faktura total',
+ 'frequency' => 'Frekvens',
+ 'start_date' => 'Start dato',
+ 'end_date' => 'Slut dato',
+ 'transaction_reference' => 'Transaktionsreference',
+ 'method' => 'Betalingsmåde',
+ 'payment_amount' => 'Beløb',
+ 'payment_date' => 'Betalings dato',
+ 'credit_amount' => 'Kreditbeløb',
+ 'credit_balance' => 'Kreditsaldo',
+ 'credit_date' => 'Kredit dato',
+ 'empty_table' => 'Ingen data er tilgængelige i tabellen',
+ 'select' => 'Vælg',
+ 'edit_client' => 'Rediger kunde',
+ 'edit_invoice' => 'Rediger faktura',
+ 'create_invoice' => 'Opret faktura',
+ 'enter_credit' => 'Tilføj kredit',
+ 'last_logged_in' => 'Sidste log ind',
+ 'details' => 'Detaljer',
+ 'standing' => 'Stående',
+ 'credit' => 'Kredit',
+ 'activity' => 'Aktivitet',
+ 'date' => 'Dato',
+ 'message' => 'Besked',
+ 'adjustment' => 'Justering',
+ 'are_you_sure' => 'Er du sikker?',
+ 'payment_type_id' => 'Betalingsmetode',
+ 'amount' => 'Beløb',
+ 'work_email' => 'E-mail',
+ 'language_id' => 'Sprog',
+ 'timezone_id' => 'Tidszone',
+ 'date_format_id' => 'Dato format',
+ 'datetime_format_id' => 'Dato/Tidsformat',
+ 'users' => 'Brugere',
+ 'localization' => 'Lokalisering',
+ 'remove_logo' => 'Slet logo',
+ 'logo_help' => 'Understøttede filtyper: JPEG, GIF og PNG',
+ 'payment_gateway' => 'Betalingsløsning',
+ 'gateway_id' => 'Kort betalings udbyder',
+ 'email_notifications' => 'Notifikation via e-mail',
+ 'email_sent' => 'Notifikation når en faktura er sendt',
+ 'email_viewed' => 'Notifikation når en faktura er set',
+ 'email_paid' => 'Notifikation når en faktura er betalt',
+ 'site_updates' => 'Webside opdateringer',
+ 'custom_messages' => 'Tilpassede meldinger',
+ 'default_email_footer' => 'Sæt standard e-mailsignatur',
+ 'select_file' => 'Venligst vælg en fil',
+ 'first_row_headers' => 'Brug første række som overskrifter',
+ 'column' => 'Kolonne',
+ 'sample' => 'Eksempel',
+ 'import_to' => 'Importer til',
+ 'client_will_create' => 'Kunde vil blive oprettet',
+ 'clients_will_create' => 'Kunder vil blive oprettet',
+ 'email_settings' => 'E-mail indstillinger',
+ 'client_view_styling' => 'Kunde visning opsætning',
+ 'pdf_email_attachment' => 'Vedhæft PDF',
+ 'custom_css' => 'Brugerdefineret CSS',
+ 'import_clients' => 'Importer kundedata',
+ 'csv_file' => 'Vælg CSV-fil',
+ 'export_clients' => 'Eksporter kundedata',
+ 'created_client' => 'Kunde oprettet succesfuldt',
+ 'created_clients' => 'Kunder oprettet succesfuldt',
+ 'updated_settings' => 'Indstillinger opdateret',
+ 'removed_logo' => 'Logo slettet',
+ 'sent_message' => 'Besked sendt',
+ 'invoice_error' => 'Vælg venligst en kunde og ret eventuelle fejl',
+ 'limit_clients' => 'Desværre, dette vil overstige grænsen på :count kunder',
+ 'payment_error' => 'Det opstod en fejl under din betaling. Venligst prøv igen senere.',
+ 'registration_required' => 'Venligst registrer dig for at sende e-mail faktura',
+ 'confirmation_required' => 'Venligst bekræft e-mail, :link Send bekræftelses e-mail igen.',
+ 'updated_client' => 'Kunde opdateret',
+ 'created_client' => 'Kunde oprettet succesfuldt',
+ 'archived_client' => 'Kunde arkiveret',
+ 'archived_clients' => 'Arkiverede :count kunder',
+ 'deleted_client' => 'Kunde slettet',
+ 'deleted_clients' => 'Slettede :count kunder',
+ 'updated_invoice' => 'Faktura opdateret',
+ 'created_invoice' => 'Faktura oprettet',
+ 'cloned_invoice' => 'Faktura kopieret',
+ 'emailed_invoice' => 'E-mail faktura sendt',
+ 'and_created_client' => 'og kunde oprettet',
+ 'archived_invoice' => 'Faktura arkiveret',
+ 'archived_invoices' => 'Arkiverede :count fakturaer',
+ 'deleted_invoice' => 'Faktura slettet',
+ 'deleted_invoices' => 'Slettede :count fakturaer',
+ 'created_payment' => 'Betaling oprettet',
+ 'created_payments' => 'Oprettet :count betaling(er)',
+ 'archived_payment' => 'Betaling arkiveret',
+ 'archived_payments' => 'Arkiverede :count betalinger',
+ 'deleted_payment' => 'Betaling slettet',
+ 'deleted_payments' => 'Slettede :count betalinger',
+ 'applied_payment' => 'Betaling ajourført',
+ 'created_credit' => 'Kredit oprettet',
+ 'archived_credit' => 'Kredit arkiveret',
+ 'archived_credits' => 'Arkiverede :count kreditter',
+ 'deleted_credit' => 'Kredit slettet',
+ 'deleted_credits' => 'Slettede :count kreditter',
+ 'imported_file' => 'Importerede filen succesfuldt',
+ 'updated_vendor' => ' Sælger opdateret succesfuldt',
+ 'created_vendor' => 'Leverandør oprettet',
+ 'archived_vendor' => 'Arkiveret leverandør',
+ 'archived_vendors' => 'Leverandører :count arkiveret',
+ 'deleted_vendor' => 'Leverandør slettet',
+ 'deleted_vendors' => 'Leverandører :count slettet',
+ 'confirmation_subject' => 'Invoice Ninja konto bekræftelse',
+ 'confirmation_header' => 'Konto bekræftelse',
+ 'confirmation_message' => 'Venligst klik på linket nedenfor for at bekræfte din konto.',
+ 'invoice_subject' => 'Ny faktura :number fra :account',
+ 'invoice_message' => 'For at se din faktura på :amount, klik på linket nedenfor.',
+ 'payment_subject' => 'Betaling modtaget',
+ 'payment_message' => 'Tak for din betaling pålydende :amount.',
+ 'email_salutation' => 'Kære :name,',
+ 'email_signature' => 'Venlig hilsen,',
+ 'email_from' => 'Invoice Ninja Teamet',
+ 'invoice_link_message' => 'Hvis du vil se faktura klik på linket under:',
+ 'notification_invoice_paid_subject' => 'Faktura :invoice betalt af :client',
+ 'notification_invoice_sent_subject' => 'Faktura :invoice sendt til :client',
+ 'notification_invoice_viewed_subject' => 'Faktura :invoice set af :client',
+ 'notification_invoice_paid' => 'En betaling pålydende :amount blev betalt af :client for faktura :invoice.',
+ 'notification_invoice_sent' => 'En e-mail er blevet sendt til :client med faktura :invoice pålydende :amount.',
+ 'notification_invoice_viewed' => ':client har set faktura :invoice pålydende :amount.',
+ 'reset_password' => 'Du kan nulstille din adgangskode ved at besøge følgende link:',
+ 'secure_payment' => 'Sikker betaling',
+ 'card_number' => 'Kortnummer',
+ 'expiration_month' => 'Udløbsdato',
+ 'expiration_year' => 'Udløbsår',
+ 'cvv' => 'Kontrolcifre',
+ 'logout' => 'Log ud',
+ 'sign_up_to_save' => 'Registrer dig for at gemme dit arbejde',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Vilkår for brug',
+ 'email_taken' => 'E-mailadressen er allerede registreret',
+ 'working' => 'Arbejder',
+ 'success' => 'Succes',
+ 'success_message' => 'Du er blevet registreret. Klik på linket som du har modtaget i e-mail bekræftelsen for at bekræfte din e-mail adresse.',
+ 'erase_data' => 'Din konto er ikke registreret, dette vil slette dine data.',
+ 'password' => 'Kodeord',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'Tak fordi du valgte Invoice Ninja\'s Pro plan!
+ De næste skridtEn betalbar faktura er sendt til den e-email adresse
+ som er tilknyttet din konto. For at låse op for alle de utrolige
+ Pro-funktioner, skal du følge instruktionerne på fakturaen til at
+ betale for et år med Pro-niveau funktionerer.
+ Kan du ikke finde fakturaen? Har behov for mere hjælp? Vi hjælper dig gerne hvis der skulle være noget galt
+ -- kontakt os på contact@invoiceninja.com',
+ 'unsaved_changes' => 'Du har ikke gemte ændringer',
+ 'custom_fields' => 'Egendefineret felt',
+ 'company_fields' => 'Selskabets felt',
+ 'client_fields' => 'Kunde felt',
+ 'field_label' => 'Felt etikette',
+ 'field_value' => 'Feltets værdi',
+ 'edit' => 'Rediger',
+ 'set_name' => 'Sæt dit firmanavn',
+ 'view_as_recipient' => 'Vis som modtager',
+ 'product_library' => 'Produkt bibliotek',
+ 'product' => 'Produkt',
+ 'products' => 'Produkter',
+ 'fill_products' => 'Automatisk-udfyld produkter',
+ 'fill_products_help' => 'Valg af produkt vil automatisk udfylde beskrivelse og pris',
+ 'update_products' => 'Automatisk opdatering af produkter',
+ 'update_products_help' => 'En opdatering af en faktura vil automatisk opdaterer Produkt biblioteket',
+ 'create_product' => 'Opret nyt produkt',
+ 'edit_product' => 'Rediger produkt',
+ 'archive_product' => 'Arkiver produkt',
+ 'updated_product' => 'Produkt opdateret',
+ 'created_product' => 'Produkt oprettet',
+ 'archived_product' => 'Produkt arkiveret',
+ 'pro_plan_custom_fields' => ':link for at aktivere egendefinerede felter skal du have en Pro Plan',
+ 'advanced_settings' => 'Aavancerede indstillinger',
+ 'pro_plan_advanced_settings' => ':link for at aktivere avancerede indstillinger skal du være have en Pro Plan',
+ 'invoice_design' => 'Fakturadesign',
+ 'specify_colors' => 'Egendefineret farve',
+ 'specify_colors_label' => 'Vælg de farver som skal bruges i fakturaen',
+ 'chart_builder' => 'Diagram bygger',
+ 'ninja_email_footer' => 'Oprettet af :site | Opret. Send. Få betaling.',
+ 'go_pro' => 'Vælg Pro',
+ 'quote' => 'Pristilbud',
+ 'quotes' => 'Pristilbud',
+ 'quote_number' => 'Tilbuds nummer',
+ 'quote_number_short' => 'Tilbuds #',
+ 'quote_date' => 'Tilbuds dato',
+ 'quote_total' => 'Tilbud total',
+ 'your_quote' => 'Dit tilbud',
+ 'total' => 'Total',
+ 'clone' => 'Kopier',
+ 'new_quote' => 'Nyt tilbud',
+ 'create_quote' => 'Opret tilbud',
+ 'edit_quote' => 'Rediger tilbud',
+ 'archive_quote' => 'Arkiver tilbud',
+ 'delete_quote' => 'Slet tilbud',
+ 'save_quote' => 'Gem tilbud',
+ 'email_quote' => 'E-mail tilbudet',
+ 'clone_quote' => 'Klon til tilbud',
+ 'convert_to_invoice' => 'Konverter til en faktura',
+ 'view_invoice' => 'Se faktura',
+ 'view_client' => 'Se kunde',
+ 'view_quote' => 'Se tilbud',
+ 'updated_quote' => 'Tilbud opdateret',
+ 'created_quote' => 'Tilbud oprettet',
+ 'cloned_quote' => 'Tilbud kopieret',
+ 'emailed_quote' => 'Tilbud sendt som e-mail',
+ 'archived_quote' => 'Tilbud arkiveret',
+ 'archived_quotes' => 'Arkiverede :count tilbud',
+ 'deleted_quote' => 'Tilbud slettet',
+ 'deleted_quotes' => 'Slettede :count tilbud',
+ 'converted_to_invoice' => 'Tilbud konverteret til faktura',
+ 'quote_subject' => 'Nyt tilbud :number fra :account',
+ 'quote_message' => 'For at se tilbud pålydende :amount, klik på linket nedenfor.',
+ 'quote_link_message' => 'For at se kundetilbud, klik på linket under:',
+ 'notification_quote_sent_subject' => 'Tilbud :invoice sendt til :client',
+ 'notification_quote_viewed_subject' => 'Tilbudet :invoice er set af :client',
+ 'notification_quote_sent' => 'Følgende kunde :client blev tilsendt tilbudsfaktura :invoice pålydende :amount.',
+ 'notification_quote_viewed' => 'Følgende kunde :client har set tilbudsfakturaen :invoice pålydende :amount.',
+ 'session_expired' => 'Session er udløbet.',
+ 'invoice_fields' => 'Faktura felt',
+ 'invoice_options' => 'Faktura indstillinger',
+ 'hide_paid_to_date' => 'Skjul delbetalinger',
+ 'hide_paid_to_date_help' => 'Vis kun delbetalinger hvis der er forekommet en delbetaling.',
+ 'charge_taxes' => 'Inkluder skat',
+ 'user_management' => 'Brugerhåndtering',
+ 'add_user' => 'Tilføj bruger',
+ 'send_invite' => 'Send invitation',
+ 'sent_invite' => 'Invitation sendt',
+ 'updated_user' => 'Bruger opdateret',
+ 'invitation_message' => 'Du er blevet inviteret af :invitor. ',
+ 'register_to_add_user' => 'Du skal registrer dig for at oprette en bruger',
+ 'user_state' => 'Status',
+ 'edit_user' => 'Rediger bruger',
+ 'delete_user' => 'Slet bruger',
+ 'active' => 'Aktiv',
+ 'pending' => 'Afventer',
+ 'deleted_user' => 'Bruger slettet',
+ 'confirm_email_invoice' => 'Er du sikker på at du vil sende en e-mail med denne faktura?',
+ 'confirm_email_quote' => 'Er du sikker på du ville sende en e-mail med dette tilbud?',
+ 'confirm_recurring_email_invoice' => 'Gentagende er slået til, er du sikker på du sende en e-mail med denne faktura?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Er du sikker på at du vil begynde gentagelsen',
+ 'cancel_account' => 'Annuller konto',
+ 'cancel_account_message' => 'ADVARSEL: Dette vil permanent slette din konto, der er INGEN mulighed for at fortryde.',
+ 'go_back' => 'Gå tilbage',
+ 'data_visualizations' => 'Data visualisering',
+ 'sample_data' => 'Eksempel data vist',
+ 'hide' => 'Skjul',
+ 'new_version_available' => 'En ny version af :releases_link er tilgængelig. Din nuværende version er v:user_version, den nyeste version er v:latest_version',
+ 'invoice_settings' => 'Faktura indstillinger',
+ 'invoice_number_prefix' => 'Faktura nummer præfiks',
+ 'invoice_number_counter' => 'Faktura nummer tæller',
+ 'quote_number_prefix' => 'Tilbuds nummer præfiks',
+ 'quote_number_counter' => 'Tilbuds nummer tæller',
+ 'share_invoice_counter' => 'Del faktura nummer tæller',
+ 'invoice_issued_to' => 'Faktura udstedt til',
+ 'invalid_counter' => 'For at undgå mulige overlap, sæt et faktura eller tilbuds nummer præfiks',
+ 'mark_sent' => 'Markér som sendt',
+ 'gateway_help_1' => ':link til at registrere dig hos Authorize.net.',
+ 'gateway_help_2' => ':link til at registrere dig hos Authorize.net.',
+ 'gateway_help_17' => ':link til at hente din PayPal API signatur.',
+ 'gateway_help_27' => ':link for at oprette sig hos 2Checkout.com. For at sikre at betalinger er fulgt sæt :complete_link som redirect URL under Konto > Side Management i 2Checkout portalen.',
+ 'gateway_help_60' => ':link til at oprette en WePay konto',
+ 'more_designs' => 'Flere designs',
+ 'more_designs_title' => 'Yderligere faktura designs',
+ 'more_designs_cloud_header' => 'Skift til Pro for flere faktura designs',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Køb',
+ 'bought_designs' => 'Yderligere faktura designs tilføjet',
+ 'sent' => 'Sendt',
+ 'vat_number' => 'CVR/SE nummer',
+ 'timesheets' => 'Timesedler',
+ 'payment_title' => 'Indtast din faktura adresse og kreditkort information',
+ 'payment_cvv' => '*Dette er det 3-4 cifrede nummer på bagsiden af dit kort',
+ 'payment_footer1' => '*Faktura adressen skal matche den der er tilknyttet kortet.',
+ 'payment_footer2' => '*Klik kun på "Betal Nu" én gang - transaktionen kan tage helt op til 1 minut inden den er færdig.',
+ 'id_number' => 'CVR/SE nummer',
+ 'white_label_link' => 'Hvid Label',
+ 'white_label_header' => 'Hvid Label',
+ 'bought_white_label' => 'Hvid Label licens accepteret',
+ 'white_labeled' => 'Hvid Label',
+ 'restore' => 'Genskab',
+ 'restore_invoice' => 'Genskab faktura',
+ 'restore_quote' => 'Genskab tilbud',
+ 'restore_client' => 'Genskab kunde',
+ 'restore_credit' => 'Genskab kredit',
+ 'restore_payment' => 'Genskab betaling',
+ 'restored_invoice' => 'Faktura genskabt',
+ 'restored_quote' => 'Tilbud genskabt',
+ 'restored_client' => 'Kunde genskabt',
+ 'restored_payment' => 'Betaling genskabt',
+ 'restored_credit' => 'Kredit genskabt',
+ 'reason_for_canceling' => 'Hjælp os med at blive bedre ved at fortælle os hvorfor du forlader os.',
+ 'discount_percent' => 'Procent',
+ 'discount_amount' => 'Beløb',
+ 'invoice_history' => 'Faktura historik',
+ 'quote_history' => 'Tilbuds historik',
+ 'current_version' => 'Nuværende version',
+ 'select_version' => 'Vælg version',
+ 'view_history' => 'Vis historik',
+ 'edit_payment' => 'Redigér betaling',
+ 'updated_payment' => 'Betaling opdateret',
+ 'deleted' => 'Slettet',
+ 'restore_user' => 'Genskab bruger',
+ 'restored_user' => 'Bruger genskabt',
+ 'show_deleted_users' => 'Vis slettede brugere',
+ 'email_templates' => 'E-mail skabeloner',
+ 'invoice_email' => 'Faktura e-mail',
+ 'payment_email' => 'Betalings e-mail',
+ 'quote_email' => 'Tilbuds e-mail',
+ 'reset_all' => 'Nulstil alle',
+ 'approve' => 'Godkend',
+ 'token_billing_type_id' => 'Tokensk Fakturering',
+ 'token_billing_help' => 'Gem betalingsoplysninger med WePay, Stripe, Braintree eller GoCardless.',
+ 'token_billing_1' => 'Slukket',
+ 'token_billing_2' => 'Tilvalg - checkboks er vist men ikke valgt',
+ 'token_billing_3' => 'Fravalg - checkboks er vist og valgt',
+ 'token_billing_4' => 'Altid',
+ 'token_billing_checkbox' => 'Opbevar kreditkort oplysninger',
+ 'view_in_gateway' => 'Vis i :gateway',
+ 'use_card_on_file' => 'Anvend tidligere gemt kort',
+ 'edit_payment_details' => 'Redigér betalings detaljer',
+ 'token_billing' => 'Gem kort detaljer',
+ 'token_billing_secure' => 'Kort data er opbevaret sikkert hos :link',
+ 'support' => 'Kundeservice',
+ 'contact_information' => 'Kontakt information',
+ '256_encryption' => '256-Bit Kryptering',
+ 'amount_due' => 'Beløb forfaldent',
+ 'billing_address' => 'Faktura adresse',
+ 'billing_method' => 'Faktura metode',
+ 'order_overview' => 'Ordre oversigt',
+ 'match_address' => '*Adressen skal matche det tilknyttede kredit kort.',
+ 'click_once' => '**Klik kun på "Betal Nu" én gang - transaktionen kan tage helt op til 1 minut inden den er færdig.',
+ 'invoice_footer' => 'Faktura fodnoter',
+ 'save_as_default_footer' => 'Gem som standard fodnoter',
+ 'token_management' => 'Token Administration',
+ 'tokens' => 'Token\'s',
+ 'add_token' => 'Tilføj token',
+ 'show_deleted_tokens' => 'Vis slettede token\'s',
+ 'deleted_token' => 'Token slettet',
+ 'created_token' => 'Token oprettet',
+ 'updated_token' => 'Token opdateret',
+ 'edit_token' => 'Redigér token',
+ 'delete_token' => 'Slet token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Tilføj betalings portal',
+ 'delete_gateway' => 'Slet betalings portal',
+ 'edit_gateway' => 'Redigér betalings portal',
+ 'updated_gateway' => 'Betalings portal opdateret',
+ 'created_gateway' => 'Betalings portal oprettet',
+ 'deleted_gateway' => 'Betalings portal slettet',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Kredit kort',
+ 'change_password' => 'Skift adgangskode',
+ 'current_password' => 'Nuværende adgangskode',
+ 'new_password' => 'Ny adgangskode',
+ 'confirm_password' => 'Bekræft adgangskode',
+ 'password_error_incorrect' => 'Den nuværende adgangskode er forkert.',
+ 'password_error_invalid' => 'Den nye adgangskode er ugyldig.',
+ 'updated_password' => 'Adgangskode opdateret',
+ 'api_tokens' => 'API Token\'s',
+ 'users_and_tokens' => 'Brugere & Token\'s',
+ 'account_login' => 'Konto Log ind',
+ 'recover_password' => 'Generhverv din adgangskode',
+ 'forgot_password' => 'Glemt din adgangskode?',
+ 'email_address' => 'E-mail adresse',
+ 'lets_go' => 'Og så afsted',
+ 'password_recovery' => 'Adgangskode Generhvervelse',
+ 'send_email' => 'Send e-mail',
+ 'set_password' => 'Sæt adgangskode',
+ 'converted' => 'Konverteret',
+ 'email_approved' => 'E-mail mig når et tilbud er accepteret',
+ 'notification_quote_approved_subject' => 'Tilbudet :invoice blev accepteret af :client',
+ 'notification_quote_approved' => 'Den følgende kunde :client accepterede tilbud :invoice lydende på :amount.',
+ 'resend_confirmation' => 'Send bekræftelses e-mail igen',
+ 'confirmation_resent' => 'Bekræftelses e-mail er afsendt',
+ 'gateway_help_42' => ':link til registrering hos BitPay.
Bemærk: brug en use a Legacy API nøgle, og ikke en API token.',
+ 'payment_type_credit_card' => 'Kredit kort',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Vidensbase',
+ 'partial' => 'Udbetaling',
+ 'partial_remaining' => ':partial af :balance',
+ 'more_fields' => 'Flere felter',
+ 'less_fields' => 'Mindre felter',
+ 'client_name' => 'Kundenavn',
+ 'pdf_settings' => 'PDF Indstillinger',
+ 'product_settings' => 'Produkt Indstillinger',
+ 'auto_wrap' => 'Automatisk linie ombrydning',
+ 'duplicate_post' => 'Advarsel: den foregående side blev sendt to gange. Den anden afsendelse er blevet ignoreret.',
+ 'view_documentation' => 'Vis dokumentation',
+ 'app_title' => 'Gratis Open-Source Online fakturering',
+ 'app_description' => 'Invoice Ninja er en gratis, open-source løsning til at håndtere fakturering og betaling af dine kunder. Med Invoice Ninja, kan du let generere og sende smukke fakturaer fra et hvilket som helst udstyr der har adgang til internettet. Dine klienter kan udskrive dine fakturarer, hente dem som PDF filer, og endda betale dem on-line inde fra Invoice Ninja.',
+ 'rows' => 'rækker',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Underdomain',
+ 'provide_name_or_email' => 'Venligst angiv et navn eller e-mail',
+ 'charts_and_reports' => 'Diagrammer & Rapporter',
+ 'chart' => 'Diagram',
+ 'report' => 'Rapport',
+ 'group_by' => 'Gruppér efter',
+ 'paid' => 'Betalt',
+ 'enable_report' => 'Rapport',
+ 'enable_chart' => 'Diagram',
+ 'totals' => 'Totaler',
+ 'run' => 'Kør',
+ 'export' => 'Eksport',
+ 'documentation' => 'Dokumentation',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Gentagne',
+ 'last_invoice_sent' => 'Sidste faktura sendt :date',
+ 'processed_updates' => 'Opdatering gennemført',
+ 'tasks' => 'Opgaver',
+ 'new_task' => 'Ny opgave',
+ 'start_time' => 'Start Tidspunkt',
+ 'created_task' => 'Opgave oprettet',
+ 'updated_task' => 'Opgave opdateret',
+ 'edit_task' => 'Redigér opgave',
+ 'archive_task' => 'Arkiver opgave',
+ 'restore_task' => 'Genskab opgave',
+ 'delete_task' => 'Slet opgave',
+ 'stop_task' => 'Stop opgave',
+ 'time' => 'Tid',
+ 'start' => 'Start',
+ 'stop' => 'Stop',
+ 'now' => 'Nu',
+ 'timer' => 'Tidtager',
+ 'manual' => 'Manuelt',
+ 'date_and_time' => 'Dato & Tid',
+ 'second' => 'Sekund',
+ 'seconds' => 'Sekunder',
+ 'minute' => 'Minut',
+ 'minutes' => 'Minutter',
+ 'hour' => 'Time',
+ 'hours' => 'Timer',
+ 'task_details' => 'Opgave detaljer',
+ 'duration' => 'Varighed',
+ 'end_time' => 'Slut tidspunkt',
+ 'end' => 'Slut',
+ 'invoiced' => 'Faktureret',
+ 'logged' => 'Ajourført',
+ 'running' => 'Kører',
+ 'task_error_multiple_clients' => 'Opgaverne kan ikke tilhøre forskellige kunder',
+ 'task_error_running' => 'Stop alle kørende opgaver først',
+ 'task_error_invoiced' => 'Opgaver er allerede faktureret',
+ 'restored_task' => 'Opgave genskabt',
+ 'archived_task' => 'Opgave arkiveret',
+ 'archived_tasks' => 'Antal arkiverede opgaver: :count',
+ 'deleted_task' => 'Opgave slettet',
+ 'deleted_tasks' => 'Antal opgaver slettet: :count',
+ 'create_task' => 'Opret opgave',
+ 'stopped_task' => 'Opgave stoppet',
+ 'invoice_task' => 'Fakturer opgave',
+ 'invoice_labels' => 'Faktura labels',
+ 'prefix' => 'Præfix',
+ 'counter' => 'Tæller',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link til at registrere dig hos Dwolla.',
+ 'partial_value' => 'Skal være større end nul og mindre end totalen',
+ 'more_actions' => 'Flere handlinger',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Opgradér Nu!',
+ 'pro_plan_feature1' => 'Opret ubegrænset antal kunder',
+ 'pro_plan_feature2' => 'Adgang til 10 smukke faktura designs',
+ 'pro_plan_feature3' => 'Tilpasset URL - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Fjern "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Multi bruger adgang og aktivitets log',
+ 'pro_plan_feature6' => 'Opret tilbud og proforma fakturaer',
+ 'pro_plan_feature7' => 'Brugerdefinerede faktura felt titler og nummerering',
+ 'pro_plan_feature8' => 'Mulighed for at vedhæfte PDF filer til klient e-mails',
+ 'resume' => 'Genoptag',
+ 'break_duration' => 'Pause',
+ 'edit_details' => 'Rediger detaljer',
+ 'work' => 'Arbejde',
+ 'timezone_unset' => 'Indstil :link din tidszone',
+ 'click_here' => 'Klik her',
+ 'email_receipt' => 'Send e-mail kvittering til kunden',
+ 'created_payment_emailed_client' => 'Betaling modtaget og e-mail kvittering sendt til klienten',
+ 'add_company' => 'Tilføj firma',
+ 'untitled' => 'Ingen titel',
+ 'new_company' => 'Nyt firma',
+ 'associated_accounts' => 'Konti sammenkædet',
+ 'unlinked_account' => 'Sammenkædning af konti ophævet',
+ 'login' => 'Log ind',
+ 'or' => 'eller',
+ 'email_error' => 'Der opstod et problem ved afsendelse af e-mailen',
+ 'confirm_recurring_timing' => 'Bemærk: e-mail bliver sendt i starten af timen.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Sætter standard faktura forfalds dato',
+ 'unlink_account' => 'Fjern sammenkædning af konti',
+ 'unlink' => 'Fjern sammenkædning',
+ 'show_address' => 'Vis adresse',
+ 'show_address_help' => 'Kræv at kunden angiver faktureringsadresse',
+ 'update_address' => 'Opdater adresse',
+ 'update_address_help' => 'Opdater kundens adresse med de opgivne detaljer',
+ 'times' => 'Gange',
+ 'set_now' => 'Sæt nu',
+ 'dark_mode' => 'Mørk tilstand',
+ 'dark_mode_help' => 'Brug en mørk baggrund til sidebars',
+ 'add_to_invoice' => 'Tilføj til faktura nr.: :invoice',
+ 'create_new_invoice' => 'Opret ny faktura',
+ 'task_errors' => 'Ret venligst de overlappende tider',
+ 'from' => 'Fra',
+ 'to' => 'Til',
+ 'font_size' => 'Font Størrelse',
+ 'primary_color' => 'Primær Farve',
+ 'secondary_color' => 'Sekundær Farve',
+ 'customize_design' => 'Tilpas Design',
+ 'content' => 'Indhold',
+ 'styles' => 'Stilarter',
+ 'defaults' => 'Standarder',
+ 'margins' => 'Marginer',
+ 'header' => 'Hoved',
+ 'footer' => 'Fod',
+ 'custom' => 'Brugertilpasset',
+ 'invoice_to' => 'Fakturer til',
+ 'invoice_no' => 'Faktura Nr.',
+ 'quote_no' => 'Tilbud nr.',
+ 'recent_payments' => 'Nylige betalinger',
+ 'outstanding' => 'Forfaldne',
+ 'manage_companies' => 'Manage Companies',
+ 'total_revenue' => 'Samlede indtægter',
+ 'current_user' => 'Nuværende bruger',
+ 'new_recurring_invoice' => 'Ny gentaget fakture',
+ 'recurring_invoice' => 'Gentaget faktura',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Det er for tidligt at generere den næste faktura, it\'s scheduled for :date',
+ 'created_by_invoice' => 'Oprettet fra :invoice',
+ 'primary_user' => 'Primær bruger',
+ 'help' => 'Hjælp',
+ 'customize_help' => 'Vi bruger :pdfmake_link til at definere fakturadesigns deklarativt. Pdfmaker :playground_link tilbyder en glimrende mulighed for at se biblioteket i aktion.
+Hvis du har brug for hjælp, send et spørgsmål til vores: forum_link med det design, du bruger.
',
+ 'playground' => 'legeplads',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Due Date',
+ 'quote_due_date' => 'Gyldig indtil',
+ 'valid_until' => 'Gyldig indtil',
+ 'reset_terms' => 'Reset terms',
+ 'reset_footer' => 'Reset footer',
+ 'invoice_sent' => ':count fakturaer sendt',
+ 'invoices_sent' => ':count fakturaer sendt',
+ 'status_draft' => 'Draft',
+ 'status_sent' => 'Sent',
+ 'status_viewed' => 'Viewed',
+ 'status_partial' => 'Partial',
+ 'status_paid' => 'Paid',
+ 'status_unpaid' => 'Ubetalt',
+ 'status_all' => 'Alle',
+ 'show_line_item_tax' => 'Display line item taxes inline',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'Copy the following code to a page on your site.',
+ 'iframe_url_help2' => 'You can test the feature by clicking \'View as recipient\' for an invoice.',
+ 'auto_bill' => 'Auto Bill',
+ 'military_time' => '24 Hour Time',
+ 'last_sent' => 'Last Sent',
+ 'reminder_emails' => 'Reminder Emails',
+ 'templates_and_reminders' => 'Templates & Reminders',
+ 'subject' => 'Subject',
+ 'body' => 'Body',
+ 'first_reminder' => 'First Reminder',
+ 'second_reminder' => 'Second Reminder',
+ 'third_reminder' => 'Third Reminder',
+ 'num_days_reminder' => 'Days after due date',
+ 'reminder_subject' => 'Reminder: Invoice :invoice from :account',
+ 'reset' => 'Reset',
+ 'invoice_not_found' => 'The requested invoice is not available',
+ 'referral_program' => 'Referral Program',
+ 'referral_code' => 'Referral Code',
+ 'last_sent_on' => 'Last sent on :date',
+ 'page_expire' => 'This page will expire soon, :click_here to keep working',
+ 'upcoming_quotes' => 'Upcoming Quotes',
+ 'expired_quotes' => 'Expired Quotes',
+ 'sign_up_using' => 'Sign up using',
+ 'invalid_credentials' => 'These credentials do not match our records',
+ 'show_all_options' => 'Show all options',
+ 'user_details' => 'User Details',
+ 'oneclick_login' => 'Forbundet konto',
+ 'disable' => 'Disable',
+ 'invoice_quote_number' => 'Invoice and Quote Numbers',
+ 'invoice_charges' => 'Faktura tillægsgebyr',
+ 'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact.',
+ 'notification_invoice_bounced_subject' => 'Unable to deliver Invoice :invoice',
+ 'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact.',
+ 'notification_quote_bounced_subject' => 'Unable to deliver Quote :invoice',
+ 'custom_invoice_link' => 'Custom Invoice Link',
+ 'total_invoiced' => 'Faktureret ialt',
+ 'open_balance' => 'Udestående:',
+ 'verify_email' => 'Please visit the link in the account confirmation email to verify your email address.',
+ 'basic_settings' => 'Basic Settings',
+ 'pro' => 'Pro',
+ 'gateways' => 'Payment Gateways',
+ 'next_send_on' => 'Send Next: :date',
+ 'no_longer_running' => 'This invoice is not scheduled to run',
+ 'general_settings' => 'General Settings',
+ 'customize' => 'Customize',
+ 'oneclick_login_help' => 'Connect an account to login without a password',
+ 'referral_code_help' => 'Earn money by sharing our app online',
+ 'enable_with_stripe' => 'Enable | Requires Stripe',
+ 'tax_settings' => 'Tax Settings',
+ 'create_tax_rate' => 'Add Tax Rate',
+ 'updated_tax_rate' => 'Successfully updated tax rate',
+ 'created_tax_rate' => 'Successfully created tax rate',
+ 'edit_tax_rate' => 'Edit tax rate',
+ 'archive_tax_rate' => 'Archive tax rate',
+ 'archived_tax_rate' => 'Successfully archived the tax rate',
+ 'default_tax_rate_id' => 'Default Tax Rate',
+ 'tax_rate' => 'Tax Rate',
+ 'recurring_hour' => 'Recurring Hour',
+ 'pattern' => 'Pattern',
+ 'pattern_help_title' => 'Pattern Help',
+ 'pattern_help_1' => 'Create custom numbers by specifying a pattern',
+ 'pattern_help_2' => 'Available variables:',
+ 'pattern_help_3' => 'For example, :example would be converted to :value',
+ 'see_options' => 'See options',
+ 'invoice_counter' => 'Invoice Counter',
+ 'quote_counter' => 'Quote Counter',
+ 'type' => 'Type',
+ 'activity_1' => ':user created client :client',
+ 'activity_2' => ':user arkiverede kunde :client',
+ 'activity_3' => ':user slettede kunde :client',
+ 'activity_4' => ':user oprettede faktura :invoice',
+ 'activity_5' => ':user ajourførte faktura :invoice',
+ 'activity_6' => ':user e-mailede faktura :invoice til :contact',
+ 'activity_7' => ':contact læste faktura :invoice',
+ 'activity_8' => ':user arkiverede faktura :invoice',
+ 'activity_9' => ':user slettede faktura :invoice',
+ 'activity_10' => ':contact indtastede betaling :payment af :invoice',
+ 'activity_11' => ':user ajourførte betaling :payment',
+ 'activity_12' => ':user arkiverede betaling :payment',
+ 'activity_13' => ':user slettede betaling :payment',
+ 'activity_14' => ':user indtastede :credit kredit',
+ 'activity_15' => ':user ajourførte :credit kredit',
+ 'activity_16' => ':user arkiverede :credit kredit',
+ 'activity_17' => ':user slettede :credit kredit',
+ 'activity_18' => ':user oprettede tilbud :quote',
+ 'activity_19' => ':user ajourførte tilbud :quote',
+ 'activity_20' => ':user e-mailede tilbud :quote til :contact',
+ 'activity_21' => ':contact læste tilbud :quote',
+ 'activity_22' => ':user arkiverede tilbud :quote',
+ 'activity_23' => ':user slettede tilbud:quote',
+ 'activity_24' => ':user genoprettede tilbud :quote',
+ 'activity_25' => ':user genoprettede faktura :invoice',
+ 'activity_26' => ':user genoprettede kunde :client',
+ 'activity_27' => ':user genoprettede betaling :payment',
+ 'activity_28' => ':user genoprettede :credit kredit',
+ 'activity_29' => ':contact godkendte tilbud :quote',
+ 'activity_30' => ':user created vendor :vendor',
+ 'activity_31' => ':user archived vendor :vendor',
+ 'activity_32' => ':user deleted vendor :vendor',
+ 'activity_33' => ':user restored vendor :vendor',
+ 'activity_34' => ':user created expense :expense',
+ 'activity_35' => ':user archived expense :expense',
+ 'activity_36' => ':user deleted expense :expense',
+ 'activity_37' => ':user restored expense :expense',
+ 'activity_42' => ':user created task :task',
+ 'activity_43' => ':user updated task :task',
+ 'activity_44' => ':user archived task :task',
+ 'activity_45' => ':user slettede opgave :task',
+ 'activity_46' => ':user genoprettede opgave :task',
+ 'activity_47' => ':user ajourførte udgift :expense',
+ 'payment' => 'Betaling',
+ 'system' => 'System',
+ 'signature' => 'E-mail Signature',
+ 'default_messages' => 'Default Messages',
+ 'quote_terms' => 'Quote Terms',
+ 'default_quote_terms' => 'Default Quote Terms',
+ 'default_invoice_terms' => 'Sæt standard fakturavilkår',
+ 'default_invoice_footer' => 'Sæt standard faktura fodnoter',
+ 'quote_footer' => 'Quote Footer',
+ 'free' => 'Free',
+ 'quote_is_approved' => 'Tilbud er nu godkendt. Betal gerne med det samme',
+ 'apply_credit' => 'Apply Credit',
+ 'system_settings' => 'System Settings',
+ 'archive_token' => 'Archive Token',
+ 'archived_token' => 'Successfully archived token',
+ 'archive_user' => 'Archive User',
+ 'archived_user' => 'Successfully archived user',
+ 'archive_account_gateway' => 'Archive Gateway',
+ 'archived_account_gateway' => 'Successfully archived gateway',
+ 'archive_recurring_invoice' => 'Archive Recurring Invoice',
+ 'archived_recurring_invoice' => 'Successfully archived recurring invoice',
+ 'delete_recurring_invoice' => 'Delete Recurring Invoice',
+ 'deleted_recurring_invoice' => 'Successfully deleted recurring invoice',
+ 'restore_recurring_invoice' => 'Restore Recurring Invoice',
+ 'restored_recurring_invoice' => 'Successfully restored recurring invoice',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archived',
+ 'untitled_account' => 'Untitled Company',
+ 'before' => 'Before',
+ 'after' => 'After',
+ 'reset_terms_help' => 'Reset to the default account terms',
+ 'reset_footer_help' => 'Reset to the default account footer',
+ 'export_data' => 'Export Data',
+ 'user' => 'User',
+ 'country' => 'Country',
+ 'include' => 'Include',
+ 'logo_too_large' => 'Your logo is :size, for better PDF performance we suggest uploading an image file less than 200KB',
+ 'import_freshbooks' => 'Import From FreshBooks',
+ 'import_data' => 'Import Data',
+ 'source' => 'Source',
+ 'csv' => 'CSV',
+ 'client_file' => 'Client File',
+ 'invoice_file' => 'Invoice File',
+ 'task_file' => 'Task File',
+ 'no_mapper' => 'No valid mapping for file',
+ 'invalid_csv_header' => 'Invalid CSV Header',
+ 'client_portal' => 'Client Portal',
+ 'admin' => 'Admin',
+ 'disabled' => 'Disabled',
+ 'show_archived_users' => 'Show archived users',
+ 'notes' => 'Notes',
+ 'invoice_will_create' => 'faktura vil blive oprettet',
+ 'invoices_will_create' => 'invoices will be created',
+ 'failed_to_import' => 'The following records failed to import, they either already exist or are missing required fields.',
+ 'publishable_key' => 'Publishable Key',
+ 'secret_key' => 'Secret Key',
+ 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process',
+ 'email_design' => 'Email Design',
+ 'due_by' => 'Due by :date',
+ 'enable_email_markup' => 'Brug HTML markup sprog',
+ 'enable_email_markup_help' => 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
+ 'template_help_title' => 'Templates Help',
+ 'template_help_1' => 'Available variables:',
+ 'email_design_id' => 'Email Style',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'Plain',
+ 'light' => 'Light',
+ 'dark' => 'Dark',
+ 'industry_help' => 'Used to provide comparisons against the averages of companies of similar size and industry.',
+ 'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the invoice number.',
+ 'quote_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the quote number.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Add a label and value to the company details section of the PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Add a text input to the invoice create/edit page and include the charge in the invoice subtotals.',
+ 'token_expired' => 'Validation token was expired. Please try again.',
+ 'invoice_link' => 'Invoice Link',
+ 'button_confirmation_message' => 'Click to confirm your email address.',
+ 'confirm' => 'Confirm',
+ 'email_preferences' => 'Email Preferences',
+ 'created_invoices' => 'Successfully created :count invoice(s)',
+ 'next_invoice_number' => 'The next invoice number is :number.',
+ 'next_quote_number' => 'The next quote number is :number.',
+ 'days_before' => 'Dage før',
+ 'days_after' => 'Dage efter',
+ 'field_due_date' => 'due date',
+ 'field_invoice_date' => 'invoice date',
+ 'schedule' => 'Schedule',
+ 'email_designs' => 'Email Designs',
+ 'assigned_when_sent' => 'Assigned when sent',
+ 'white_label_purchase_link' => 'Purchase a white label license',
+ 'expense' => 'Expense',
+ 'expenses' => 'Udgifter',
+ 'new_expense' => 'Indtast udgift',
+ 'enter_expense' => 'Enter Expense',
+ 'vendors' => 'Vendors',
+ 'new_vendor' => 'New Vendor',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Vendor',
+ 'edit_vendor' => 'Edit Vendor',
+ 'archive_vendor' => 'Archive Vendor',
+ 'delete_vendor' => 'Delete Vendor',
+ 'view_vendor' => 'View Vendor',
+ 'deleted_expense' => 'Successfully deleted expense',
+ 'archived_expense' => 'Successfully archived expense',
+ 'deleted_expenses' => 'Successfully deleted expenses',
+ 'archived_expenses' => 'Successfully archived expenses',
+ 'expense_amount' => 'Expense Amount',
+ 'expense_balance' => 'Expense Balance',
+ 'expense_date' => 'Expense Date',
+ 'expense_should_be_invoiced' => 'Should this expense be invoiced?',
+ 'public_notes' => 'Public Notes',
+ 'invoice_amount' => 'Invoice Amount',
+ 'exchange_rate' => 'Exchange Rate',
+ 'yes' => 'Yes',
+ 'no' => 'No',
+ 'should_be_invoiced' => 'Should be invoiced',
+ 'view_expense' => 'View expense # :expense',
+ 'edit_expense' => 'Edit Expense',
+ 'archive_expense' => 'Archive Expense',
+ 'delete_expense' => 'Delete Expense',
+ 'view_expense_num' => 'Expense # :expense',
+ 'updated_expense' => 'Successfully updated expense',
+ 'created_expense' => 'Successfully created expense',
+ 'enter_expense' => 'Enter Expense',
+ 'view' => 'View',
+ 'restore_expense' => 'Restore Expense',
+ 'invoice_expense' => 'Invoice Expense',
+ 'expense_error_multiple_clients' => 'The expenses can\'t belong to different clients',
+ 'expense_error_invoiced' => 'Expense has already been invoiced',
+ 'convert_currency' => 'Convert currency',
+ 'num_days' => 'Antal dage',
+ 'create_payment_term' => 'Create Payment Term',
+ 'edit_payment_terms' => 'Edit Payment Term',
+ 'edit_payment_term' => 'Edit Payment Term',
+ 'archive_payment_term' => 'Archive Payment Term',
+ 'recurring_due_dates' => 'Recurring Invoice Due Dates',
+ '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.
+
+
',
+ 'due' => 'Due',
+ 'next_due_on' => 'Due Next: :date',
+ 'use_client_terms' => 'Use client terms',
+ 'day_of_month' => ':ordinal day of month',
+ 'last_day_of_month' => 'Last day of month',
+ 'day_of_week_after' => ':ordinal :day after',
+ 'sunday' => 'Sunday',
+ 'monday' => 'Monday',
+ 'tuesday' => 'Tuesday',
+ 'wednesday' => 'Wednesday',
+ 'thursday' => 'Thursday',
+ 'friday' => 'Friday',
+ 'saturday' => 'Saturday',
+ 'header_font_id' => 'Header Font',
+ 'body_font_id' => 'Body Font',
+ 'color_font_help' => 'Note: the primary color and fonts are also used in the client portal and custom email designs.',
+ 'live_preview' => 'Live Preview',
+ 'invalid_mail_config' => 'Unable to send email, please check that the mail settings are correct.',
+ 'invoice_message_button' => 'To view your invoice for :amount, click the button below.',
+ 'quote_message_button' => 'To view your quote for :amount, click the button below.',
+ 'payment_message_button' => 'Thank you for your payment of :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Bank Accounts',
+ 'add_bank_account' => 'Add Bank Account',
+ 'setup_account' => 'Setup Account',
+ 'import_expenses' => 'Import Expenses',
+ 'bank_id' => 'bank',
+ 'integration_type' => 'Integration Type',
+ 'updated_bank_account' => 'Successfully updated bank account',
+ 'edit_bank_account' => 'Edit Bank Account',
+ 'archive_bank_account' => 'Archive Bank Account',
+ 'archived_bank_account' => 'Successfully archived bank account',
+ 'created_bank_account' => 'Successfully created bank account',
+ 'validate_bank_account' => 'Validate Bank Account',
+ 'bank_password_help' => 'Note: your password is transmitted securely and never stored on our servers.',
+ 'bank_password_warning' => 'Warning: your password may be transmitted in plain text, consider enabling HTTPS.',
+ 'username' => 'Username',
+ 'account_number' => 'Account Number',
+ 'account_name' => 'Account Name',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Godkendt',
+ 'quote_settings' => 'Quote Settings',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved by a client.',
+ 'validate' => 'Validate',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Successfully created :count_vendors vendor(s) and :count_expenses expense(s)',
+ 'iframe_url_help3' => 'Note: if you plan on accepting credit cards details we strongly recommend enabling HTTPS on your site.',
+ 'expense_error_multiple_currencies' => 'The expenses can\'t have different currencies.',
+ 'expense_error_mismatch_currencies' => 'The client\'s currency does not match the expense currency.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'first page',
+ 'all_pages' => 'all pages',
+ 'last_page' => 'last page',
+ 'all_pages_header' => 'Show header on',
+ 'all_pages_footer' => 'Show footer on',
+ 'invoice_currency' => 'Invoice Currency',
+ 'enable_https' => 'We strongly recommend using HTTPS to accept credit card details online.',
+ 'quote_issued_to' => 'Quote issued to',
+ 'show_currency_code' => 'Currency Code',
+ 'free_year_message' => 'Din konto er opgraderet til pro i et år uden extra omkostninger.',
+ 'trial_message' => 'Your account will receive a free two week trial of our pro plan.',
+ 'trial_footer' => 'Din gratis pro plan prøveperiode udløber om :count dage, :link for at opgradere nu.',
+ 'trial_footer_last_day' => 'Dette er den sidste dag i din gratis pro plan prøveperiode, :link for at opgradere nu.',
+ 'trial_call_to_action' => 'Start Free Trial',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Overdue',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'For at justere varslings indstillingene besøg venligst :link',
+ 'reset_password_footer' => 'Hvis du ikke bad om at få nulstillet din adgangskode kontakt venligst kundeservice: :email',
+ 'limit_users' => 'Desværre, dette vil overstige grænsen på :limit brugere',
+ 'more_designs_self_host_header' => 'Få 6 flere faktura designs for kun $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link for at fjerne Invoice Ninja-logoet, opgrader til en Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Klik her',
+ 'invitation_status_sent' => 'Sendt',
+ 'invitation_status_opened' => 'Åbnet',
+ 'invitation_status_viewed' => 'Set',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Emails can not be sent to inactive invoices',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'List Invoices',
+ 'list_clients' => 'List Clients',
+ 'list_quotes' => 'List Quotes',
+ 'list_tasks' => 'List Tasks',
+ 'list_expenses' => 'List Expenses',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => 'List Payments',
+ 'list_credits' => 'List Credits',
+ 'tax_name' => 'Tax Name',
+ 'report_settings' => 'Report Settings',
+ 'search_hotkey' => 'shortcut is /',
+
+ 'new_user' => 'New User',
+ 'new_product' => 'New Product',
+ 'new_tax_rate' => 'New Tax Rate',
+ 'invoiced_amount' => 'Invoiced Amount',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Tilbagevendende nummer',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Adgangskodebeskyttet Fakturaer',
+ 'enable_portal_password_help' => 'Lader dig indtaste en adgangskode til hver kontakt. Hvis en adgangskode ikke er lavet, vil kontakten blive pålagt at indtaste en adgangskode før det er muligt at se fakturaer.',
+ 'send_portal_password' => 'Generer automatisk',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Expired',
+ 'invalid_card_number' => 'The credit card number is not valid.',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Cost',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Owner',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Partial Due',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'Januar',
+ 'february' => 'Februar',
+ 'march' => 'Marts',
+ 'april' => 'April',
+ 'may' => 'Maj',
+ 'june' => 'Juni',
+ 'july' => 'Juli',
+ 'august' => 'August',
+ 'september' => 'September',
+ 'october' => 'October',
+ 'november' => 'November',
+ 'december' => 'December',
+
+ // Documents
+ 'documents_header' => 'Documents:',
+ 'email_documents_header' => 'Documents:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Citer dokumenter',
+ 'invoice_documents' => 'Faktura dokumenter',
+ 'expense_documents' => 'Udgift\'s dokumenter',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Dashboard',
+ 'enable_client_portal_help' => 'Show/hide the dashboard page in the client portal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Account Management',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Monthly',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Month',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Live Preview',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Vend tilbage til appen',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refunder betaling',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Refunder',
+ 'are_you_sure_refund' => 'Refunder betalinger?',
+ 'status_pending' => 'Afventer',
+ 'status_completed' => 'Fuldført',
+ 'status_failed' => 'Slog fejl',
+ 'status_partially_refunded' => 'Delst refunderet',
+ 'status_partially_refunded_amount' => ':amount Refunderet',
+ 'status_refunded' => 'Refunderet',
+ 'status_voided' => 'Annulleret',
+ 'refunded_payment' => 'Refunderet betaling',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Ukendt',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept Amerikansk bank overførsler',
+ 'stripe_ach_help' => 'ACH-understøttelse skal også være aktiveret i: link.',
+ 'ach_disabled' => 'En anden gateway er allerede konfigureret til direkte debitering.',
+
+ 'plaid' => 'Betalt',
+ 'client_id' => 'Klients ID',
+ 'secret' => 'Hemmelighed',
+ 'public_key' => 'Offentlig nøgle',
+ 'plaid_optional' => '(valgfrit)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Andre udbydere',
+ 'country_not_supported' => 'Landet er ikke understøttet.',
+ 'invalid_routing_number' => 'Routing nummeret er ugyldigt.',
+ 'invalid_account_number' => 'Kontonummeret er ugyldigt.',
+ 'account_number_mismatch' => 'Kontonumrene stemmer ikke overens.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing nummer',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Firma Konto',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Tilføj konto',
+ 'payment_methods' => 'Betalingsmetoder',
+ 'complete_verification' => 'Complete Verification',
+ 'verification_amount1' => 'Beløb 1',
+ 'verification_amount2' => 'Beløb 2',
+ 'payment_method_verified' => 'Verifikation blev gennemført med succes',
+ 'verification_failed' => 'Verifikation mislykkedes',
+ 'remove_payment_method' => 'Fjern betalingsmetode',
+ 'confirm_remove_payment_method' => 'Er du sikker på, at du vil fjerne denne betalingsmetode?',
+ 'remove' => 'Fjern',
+ 'payment_method_removed' => 'Fjern betalings middel',
+ 'bank_account_verification_help' => 'Vi har lavet to indbetalinger til din konto med beskrivelsen "verifikation". Det vil tage 1-2 hverdage før disse indskud vises på dit kontoudtog. Indtast venligst nedenstående beløb.',
+ 'bank_account_verification_next_steps' => 'Vi har lavet to indbetalinger til din konto med beskrivelsen "verifikation". Det vil tage 1-2 hverdage før disse indskud vises på dit kontoudtog. Når du har beløbene, skal du komme tilbage til denne betalingsmetodeside og klikke på "Gennemfør og afslut verifikation" ved siden af kontoen.',
+ 'unknown_bank' => 'Ukendt bank',
+ 'ach_verification_delay_help' => 'Du kan bruge kontoen, når du har gennemført verifikationen. Verifikation tager normalt 1-2 hverdage.',
+ 'add_credit_card' => 'Tilføj kreditkort',
+ 'payment_method_added' => 'Tilføjet betalingsmetode',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'You must :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Add Payment Method',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'Du skal godkende ACH-transaktioner.',
+ 'off' => 'Deaktiver',
+ 'opt_in' => 'Følg',
+ 'opt_out' => 'Følg ikke længere',
+ 'always' => 'Altid',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Aktiveret',
+ 'paypal' => 'Paypal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Save payment details',
+ 'add_paypal_account' => 'Add PayPal Account',
+
+
+ 'no_payment_method_specified' => 'No payment method specified',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Format',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Firma navn',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Administrer konto',
+ 'action_required' => 'Handling krævet',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Skift',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'USA',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Sikkerhed',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Betalings fil',
+ 'expense_file' => 'Udgifts fil',
+ 'product_file' => 'Produkt fil',
+ 'import_products' => 'Importer produkter',
+ 'products_will_create' => 'Produkter vil blive oprettet',
+ 'product_key' => 'Produkt',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON Fil',
+
+ 'view_dashboard' => 'Oversigt',
+ 'client_session_expired' => 'Session er udløbet.',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'Bankkonto',
+ 'auto_bill_payment_method_credit_card' => 'Kredit kort',
+ 'auto_bill_payment_method_paypal' => 'PayPal konto',
+ 'auto_bill_notification_placeholder' => 'Denne faktura vil automatisk trække fra dit gemte kreditkort på den forfaldne dato.',
+ 'payment_settings' => 'Betalingsindstillinger',
+
+ 'on_send_date' => 'On send date',
+ 'on_due_date' => 'Betalingsfrist',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bankkonto',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privatlivspolitik',
+ 'wepay_payment_tos_agree_required' => 'Du skal acceptere WePays Servicevilkår og Privatlivspolitik.',
+ 'ach_email_prompt' => 'Indtast venligst din e-mail adresse:',
+ 'verification_pending' => 'Afventer bekræftelse',
+
+ 'update_font_cache' => 'Indlæs venligst siden igen for at opdatere font cachen.',
+ 'more_options' => 'Flere muligheder',
+ 'credit_card' => 'Kreditkort',
+ 'bank_transfer' => 'Bankoverførsel',
+ 'no_transaction_reference' => 'Vi modtog ikke en Vi modtog ikke en betalingstransaktionsreference fra gateway\'en.',
+ 'use_bank_on_file' => 'Brug bank info',
+ 'auto_bill_email_message' => 'Fakturaen bliver automatisk betalt via den registrerede betalings metode på forfaldsdagen.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Tilføjet :date',
+ 'failed_remove_payment_method' => 'Det lykkedes ikke at fjerne betalingsmetoden',
+ 'gateway_exists' => 'Denne gateway eksisterer allerede',
+ 'manual_entry' => 'Manuel indtastning',
+ 'start_of_week' => 'Første dag i ugen',
+
+ // Frequencies
+ 'freq_inactive' => 'Inaktiv',
+ 'freq_daily' => 'Daglig',
+ 'freq_weekly' => 'Ugentlig',
+ 'freq_biweekly' => 'Hver 14. dag',
+ 'freq_two_weeks' => 'To uger',
+ 'freq_four_weeks' => 'Fire uger',
+ 'freq_monthly' => 'Månedlig',
+ 'freq_three_months' => 'Tre måneder',
+ 'freq_four_months' => 'Fire måneder',
+ 'freq_six_months' => 'Seks måneder',
+ 'freq_annually' => 'Årlig',
+ 'freq_two_years' => 'To år',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Tilføj kredit',
+ 'payment_type_Bank Transfer' => 'Bankoverførsel',
+ 'payment_type_Cash' => 'Kontant',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Kort',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Kreditkort Andet',
+ 'payment_type_PayPal' => 'Paypal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Regnskab og jura',
+ 'industry_Advertising' => 'Annoncering',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Landbrug',
+ 'industry_Automotive' => 'Autobranche',
+ 'industry_Banking & Finance' => 'Bank og finans',
+ 'industry_Biotechnology' => 'Bioteknologi',
+ 'industry_Broadcasting' => 'Radio- og tv udsendelser',
+ 'industry_Business Services' => 'Forretningsservice',
+ 'industry_Commodities & Chemicals' => 'Råvarer og kemikalier',
+ 'industry_Communications' => 'Kommunikation',
+ 'industry_Computers & Hightech' => 'Computere og Højteknologi',
+ 'industry_Defense' => 'Forsvaret',
+ 'industry_Energy' => 'Energi',
+ 'industry_Entertainment' => 'Underholdning',
+ 'industry_Government' => 'Regering',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Forsikring',
+ 'industry_Manufacturing' => 'Produktion',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Medier',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit',
+ 'industry_Pharmaceuticals' => 'Medicinal',
+ 'industry_Professional Services & Consulting' => 'Professionelle serviceydelser og rådgivning',
+ 'industry_Real Estate' => 'Fast ejendom',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Detailhandel og engros',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Rejser & luksus',
+ 'industry_Other' => 'Andet',
+ 'industry_Photography' => 'Fotografi',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albanien',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeriet',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua og Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australien',
+ 'country_Austria' => 'Østrig',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgien',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia og Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazilien',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgarien',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Hviderusland',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'Kina',
+ 'country_Taiwan, Province of China' => 'Taiwan',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Kroatien',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cypern',
+ 'country_Czech Republic' => 'Tjekkiet',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Danmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Etiopien',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estland',
+ 'country_Faroe Islands' => 'Færøerne',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Maldiverne)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia og South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'Frankrig',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgien',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Tyskland',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Grækenland',
+ 'country_Greenland' => 'Grønland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Ungarn',
+ 'country_Iceland' => 'Island',
+ 'country_India' => 'Indien',
+ 'country_Indonesia' => 'Indonesien',
+ 'country_Iran, Islamic Republic of' => 'Iran',
+ 'country_Iraq' => 'Irak',
+ 'country_Ireland' => 'Irland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italien',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea',
+ 'country_Korea, Republic of' => 'Korea',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Letland',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Liberien',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Litauen',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Holland',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Holland)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norge',
+ 'country_Northern Mariana Islands' => 'Northern Mariana Islands',
+ 'country_United States Minor Outlying Islands' => 'US Minor Outlying Islands',
+ 'country_Micronesia, Federated States of' => 'Micronesia, Federated States of',
+ 'country_Marshall Islands' => 'Marshall Islands',
+ 'country_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua Ny Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Filippinerne',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Polen',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Rumænien',
+ 'country_Russian Federation' => 'Rusland',
+ 'country_Rwanda' => 'Rwanda',
+ '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_Anguilla' => 'Angola',
+ 'country_Saint Lucia' => 'Saint Lucia',
+ 'country_Saint Martin (French part)' => 'Saint Martin (Frankrig)',
+ 'country_Saint Pierre and Miquelon' => 'Saint Pierre and Miquelon',
+ 'country_Saint Vincent and the Grenadines' => 'Saint Vincent and the Grenadines',
+ 'country_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabien',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbien',
+ 'country_Seychelles' => 'Seychellerne',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakiet',
+ 'country_Viet Nam' => 'Vietnam',
+ 'country_Slovenia' => 'Slovenien',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'Syd Afrika',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spanien',
+ 'country_South Sudan' => 'Syd Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Vestlige Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sverige',
+ 'country_Switzerland' => 'Schweiz',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad og Tobago',
+ 'country_United Arab Emirates' => 'Forenede Arabiske Emirater',
+ 'country_Tunisia' => 'Tunesien',
+ 'country_Turkey' => 'Tyrkiet',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks og Caicosøerne',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Makedonien, Den Tidligere Jugoslaviske Republik',
+ 'country_Egypt' => 'Egypten',
+ 'country_United Kingdom' => 'England',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'USA',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Kroatisk',
+ 'lang_Czech' => 'Tjekkisk',
+ 'lang_Danish' => 'Dansk',
+ 'lang_Dutch' => 'Hollandsk',
+ 'lang_English' => 'Engelsk',
+ 'lang_French' => 'Fransk',
+ 'lang_French - Canada' => 'Fransk - Canadisk',
+ 'lang_German' => 'Tysk',
+ 'lang_Italian' => 'Italiensk',
+ 'lang_Japanese' => 'Japansk',
+ 'lang_Lithuanian' => 'Litauisk',
+ 'lang_Norwegian' => 'Norsk',
+ 'lang_Polish' => 'Polsk',
+ 'lang_Spanish' => 'Spansk',
+ 'lang_Spanish - Spain' => 'Spansk - Spanien',
+ 'lang_Swedish' => 'Svensk',
+ 'lang_Albanian' => 'Albansk',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'Engelsk - England',
+ 'lang_Slovenian' => 'Slovensk',
+ 'lang_Finnish' => 'Finsk',
+ 'lang_Romanian' => 'Rumænsk',
+ 'lang_Turkish - Turkey' => 'Tyrkisk',
+ 'lang_Portuguese - Brazilian' => 'Portugisisk - Brazilien',
+ 'lang_Portuguese - Portugal' => 'Portugisisk - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Regnskab og jura',
+ 'industry_Advertising' => 'Annoncering',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Landbrug',
+ 'industry_Automotive' => 'Autobranche',
+ 'industry_Banking & Finance' => 'Bank og finans',
+ 'industry_Biotechnology' => 'Bioteknologi',
+ 'industry_Broadcasting' => 'Radio- og tv udsendelser',
+ 'industry_Business Services' => 'Forretningsservice',
+ 'industry_Commodities & Chemicals' => 'Råvarer og kemikalier',
+ 'industry_Communications' => 'Kommunikation',
+ 'industry_Computers & Hightech' => 'Computere og Højteknologi',
+ 'industry_Defense' => 'Forsvaret',
+ 'industry_Energy' => 'Energi',
+ 'industry_Entertainment' => 'Underholdning',
+ 'industry_Government' => 'Regering',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Forsikring',
+ 'industry_Manufacturing' => 'Produktion',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Medier',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit',
+ 'industry_Pharmaceuticals' => 'Medicinal',
+ 'industry_Professional Services & Consulting' => 'Professionelle serviceydelser og rådgivning',
+ 'industry_Real Estate' => 'Fast ejendom',
+ 'industry_Retail & Wholesale' => 'Detailhandel og engros',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Rejser & luksus',
+ 'industry_Other' => 'Andet',
+ 'industry_Photography' =>'Fotografi',
+
+ 'view_client_portal' => 'Se kundeportal',
+ 'view_portal' => 'Se Portal',
+ 'vendor_contacts' => 'Leverandørkontakter',
+ 'all' => 'Alle',
+ 'selected' => 'Valgt',
+ 'category' => 'Kategori',
+ 'categories' => 'Kategorier',
+ 'new_expense_category' => 'Ny udgiftskategori',
+ 'edit_category' => 'Rediger kategori',
+ 'archive_expense_category' => 'Arkiver kategori',
+ 'expense_categories' => 'Udgiftskategorier',
+ 'list_expense_categories' => 'Udgiftskategoriliste',
+ 'updated_expense_category' => 'Ajourført udgiftskategori',
+ 'created_expense_category' => 'Udgiftskategori oprettet',
+ 'archived_expense_category' => 'Udgiftskategori arkiveret',
+ 'archived_expense_categories' => '.count udgiftskategori(er) arkiveret ',
+ 'restore_expense_category' => 'Genopret udgiftskategori',
+ 'restored_expense_category' => 'Udgiftskategori genoprettet',
+ 'apply_taxes' => 'Tilføj moms',
+ 'min_to_max_users' => ':min til :max brugere',
+ 'max_users_reached' => 'Det maksimale antal brugere er nået.',
+ 'buy_now_buttons' => '"Køb nu" knapper',
+ 'landing_page' => 'Landingsside',
+ 'payment_type' => 'Betalingstype',
+ 'form' => 'Formular',
+ 'link' => 'Link',
+ 'fields' => 'Felter',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Bemærk: Kunden og fakturaen bliver oprettet, også selvom transaktionen ikke gennemføres.',
+ 'buy_now_buttons_disabled' => 'Denne funktion kræver, at et produkt oprettes og en betalings gateway er konfigureret.',
+ 'enable_buy_now_buttons_help' => 'Aktiver understøttelse af "Køb nu" knapper',
+ 'changes_take_effect_immediately' => 'Bemærk: Ændringer slår igennem med det samme',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'Der opstod en fejl i forbindelse med betalingen [:code]. Prøv igen senere.',
+ 'standard_fees_apply' => 'Gebyr: 2,9%/1,2% [Credit Card/Bank Transfer] + 2 DKK pr. gennemført transaktion.',
+ 'limit_import_rows' => 'Data skal importeres samlet i :count rækker eller færre',
+ 'error_title' => 'Noget gik galt',
+ 'error_contact_text' => 'Hvis du ønsker hjælp, send venligst en e-mail til :mailaddress',
+ 'no_undo' => 'Advarsel: Dette kan ikke fortrydes.',
+ 'no_contact_selected' => 'Vælg venligst en kontakt',
+ 'no_client_selected' => 'Vælg venligst en kunde',
+
+ 'gateway_config_error' => 'Det kan måske hjælpe at ændre kodeord eller generere nye API nøgler.',
+ 'payment_type_on_file' => 'Gemt :type',
+ 'invoice_for_client' => 'Faktura :invoice til :client',
+ 'intent_not_found' => 'Beklager, jeg er ikke sikker på jeg forstår, hvad du spørger om?',
+ 'intent_not_supported' => 'Beklager, jeg kan ikke gøre det.',
+ 'client_not_found' => 'Jeg kunne ikke finde kunden',
+ 'not_allowed' => 'Beklager, du har ikke de nødvendige tilladelser',
+ 'bot_emailed_invoice' => 'Din faktura er blevet sendt.',
+ 'bot_emailed_notify_viewed' => 'Jeg sender dig en e-mail når den er læst',
+ 'bot_emailed_notify_paid' => 'Jeg sender dig en e-mail, når den er betalt',
+ 'add_product_to_invoice' => 'Tilføj 1 :product',
+ 'not_authorized' => 'Du er ikke autoriseret',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'contact_name' => 'Kontakt navn',
+ 'city_state_postal' => 'By/Postnummer',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Virksomheds felter',
+ 'facebook_and_twitter' => 'Facebook og 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Dag',
+ 'week' => 'Uge',
+ 'month' => 'Måned',
+ 'inactive_logout' => 'Du er blevet logget ud på grund af inaktivitet..',
+ 'reports' => 'Rapporter',
+ 'total_profit' => 'Profit total',
+ 'total_expenses' => 'Udgifter total',
+ 'quote_to' => 'Tilbud til',
+
+ // Limits
+ 'limit' => 'Grænse',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'Ingen grænse',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Dato område',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Opdatér',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Underskriv venligst her (Denne underskrift er juridisk bindende):',
+ 'authorization' => 'Autorisation',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Annual revenue',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Vendor',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Faktura',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Skabelon',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client log ing',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Fakturaer fra:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Viser :start til :end af :total',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Faktureret',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email til kunden',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ 'currency_euro' => 'Euro',
+ 'currency_south_african_rand' => 'South African Rand',
+ 'currency_danish_krone' => 'Dansk 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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client log ing',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Pristilbud og projekt forslag',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Viser 0 til 0 af 0',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Projekt forslag',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'Nyt Projekt Forslag',
+ 'edit_proposal' => 'Rediger Projekt Forslag',
+ 'archive_proposal' => 'Arkiver Projekt Forslag',
+ 'delete_proposal' => 'Slet Projekt Forslag',
+ 'created_proposal' => ' Projekt forslaget blev oprettet',
+ 'updated_proposal' => ' Projekt forslag blev opdateret',
+ 'archived_proposal' => ' Projekt forslag blev arkiveret',
+ 'deleted_proposal' => ' Projekt forslag blev arkiveret',
+ 'archived_proposals' => ':count projekt forslag blev arkiveret',
+ 'deleted_proposals' => ':count projekt forslag blev arkiveret',
+ 'restored_proposal' => 'Projekt forslaget blev genskabt',
+ 'restore_proposal' => 'Genskab projekt forslag',
+ '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',
+ 'template' => 'Skabelon',
+ 'templates' => 'Skabeloner',
+ 'proposal_template' => 'Skabelon',
+ 'proposal_templates' => 'Skabeloner',
+ 'new_proposal_template' => 'Ny Skabelon',
+ 'edit_proposal_template' => 'Rediger Skabelon',
+ 'archive_proposal_template' => 'Arkiver Skabelon',
+ 'delete_proposal_template' => 'Slet Skabelon',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'Det ønskede projekt forslag er ikke tilgængeligt',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Email til projekt forslag',
+ 'proposal_subject' => 'Nyt projekt forslag :number fra :account',
+ 'proposal_message' => 'For at se projekt forslaget, estimeret til :amount, click da på linket herunder.',
+ 'emailed_proposal' => 'Projekt forslaget er nu sendt!',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'E-mail kunder',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'Se projekt forslag',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Ikke godkendte projekt forslag',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/da/validation.php b/resources/lang/da/validation.php
new file mode 100644
index 000000000000..c345b4353ed9
--- /dev/null
+++ b/resources/lang/da/validation.php
@@ -0,0 +1,114 @@
+ ":attribute skal accepteres.",
+ "active_url" => ":attribute er ikke en valid URL.",
+ "after" => ":attribute skal være en dato efter :date.",
+ "alpha" => ":attribute må kun bestå af bogstaver.",
+ "alpha_dash" => ":attribute må kun bestå af bogstaver, tal og bindestreger.",
+ "alpha_num" => ":attribute må kun bestå af bogstaver og tal.",
+ "array" => ":attribute skal være et array.",
+ "before" => ":attribute skal være en dato før :date.",
+ "between" => array(
+ "numeric" => ":attribute skal være imellem :min - :max.",
+ "file" => ":attribute skal være imellem :min - :max kilobytes.",
+ "string" => ":attribute skal være imellem :min - :max tegn.",
+ "array" => ":attribute skal indeholde mellem :min - :max elementer.",
+ ),
+ "boolean" => ":attribute skal være sandt eller falsk",
+ "confirmed" => ":attribute er ikke det samme som bekræftelsesfeltet.",
+ "date" => ":attribute er ikke en gyldig dato.",
+ "date_format" => ":attribute matcher ikke formatet :format.",
+ "different" => ":attribute og :other skal være forskellige.",
+ "digits" => ":attribute skal have :digits cifre.",
+ "digits_between" => ":attribute skal have mellem :min og :max cifre.",
+ "email" => ":attribute skal være en gyldig e-mailadresse.",
+ "exists" => "Det valgte :attribute er ugyldig.",
+ "image" => ":attribute skal være et billede.",
+ "in" => "Det valgte :attribute er ugyldig.",
+ "integer" => ":attribute skal være et heltal.",
+ "ip" => ":attribute skal være en gyldig IP adresse.",
+ "max" => array(
+ "numeric" => ":attribute skal være højest :max.",
+ "file" => ":attribute skal være højest :max kilobytes.",
+ "string" => ":attribute skal være højest :max tegn.",
+ "array" => ":attribute må ikke indeholde mere end :max elementer.",
+ ),
+ "mimes" => ":attribute skal være en fil af typen: :values.",
+ "min" => array(
+ "numeric" => ":attribute skal være mindst :min.",
+ "file" => ":attribute skal være mindst :min kilobytes.",
+ "string" => ":attribute skal være mindst :min tegn.",
+ "array" => ":attribute skal indeholde mindst :min elementer.",
+ ),
+ "not_in" => "Den valgte :attribute er ugyldig.",
+ "numeric" => ":attribute skal være et tal.",
+ "regex" => ":attribute formatet er ugyldigt.",
+ "required" => ":attribute skal udfyldes.",
+ "required_if" => ":attribute skal udfyldes når :other er :value.",
+ "required_with" => ":attribute skal udfyldes når :values er udfyldt.",
+ "required_with_all" => ":attribute skal udfyldes når :values er udfyldt.",
+ "required_without" => ":attribute skal udfyldes når :values ikke er udfyldt.",
+ "required_without_all" => ":attribute skal udfyldes når ingen af :values er udfyldt.",
+ "same" => ":attribute og :other skal være ens.",
+ "size" => array(
+ "numeric" => ":attribute skal være :size.",
+ "file" => ":attribute skal være :size kilobytes.",
+ "string" => ":attribute skal være :size tegn lang.",
+ "array" => ":attribute skal indeholde :size elementer.",
+ ),
+ "timezone" => "The :attribute must be a valid zone.",
+ "unique" => ":attribute er allerede taget.",
+ "url" => ":attribute formatet er ugyldigt.",
+
+ "positive" => "The :attribute must be greater than zero.",
+ "has_credit" => "The client does not have enough credit.",
+ "notmasked" => "The values are masked",
+ "less_than" => 'The :attribute must be less than :value',
+ "has_counter" => 'The value must contain {$counter}',
+ "valid_contacts" => "All of the contacts must have either an email or name",
+ "valid_invoice_items" => "The invoice exceeds the maximum amount",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(
+ 'attribute-name' => array(
+ 'rule-name' => 'custom-message',
+ ),
+ ),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(),
+
+);
diff --git a/resources/lang/de/pagination.php b/resources/lang/de/pagination.php
new file mode 100644
index 000000000000..5bb69029e529
--- /dev/null
+++ b/resources/lang/de/pagination.php
@@ -0,0 +1,20 @@
+ '« zurück',
+
+ 'next' => 'weiter »',
+
+);
diff --git a/resources/lang/de/passwords.php b/resources/lang/de/passwords.php
new file mode 100644
index 000000000000..976cc6ba4b4f
--- /dev/null
+++ b/resources/lang/de/passwords.php
@@ -0,0 +1,22 @@
+ "Beide Passwörter müssen übereinstimmen und mindestens 6 Zeichen lang sein.",
+ "user" => "Wir können keinen Nutzer mit dieser E-Mail Adresse finden.",
+ "token" => "Der Code zum Zurücksetzen des Passworts ist ungültig oder abgelaufen.",
+ "sent" => "Es wurde soeben eine E-Mail verschickt, die einen Link zum Zurücksetzen des Passworts enthält!",
+ "reset" => "Das Passwort wurde zurückgesetzt!",
+
+];
diff --git a/resources/lang/de/reminders.php b/resources/lang/de/reminders.php
new file mode 100644
index 000000000000..f96428eff43b
--- /dev/null
+++ b/resources/lang/de/reminders.php
@@ -0,0 +1,24 @@
+ "Passwörter müssen 6 Zeichen lang sein und korrekt bestätigt werden.",
+
+ "user" => "Wir konnten leider keinen Nutzer mit dieser E-Mail Adresse finden.",
+
+ "token" => "Der Passwort-Wiederherstellungs-Schlüssel ist ungültig.",
+
+ "sent" => "Passworterinnerung wurde versendet!",
+
+);
diff --git a/resources/lang/de/texts.php b/resources/lang/de/texts.php
new file mode 100644
index 000000000000..1246191bda15
--- /dev/null
+++ b/resources/lang/de/texts.php
@@ -0,0 +1,2872 @@
+ 'Unternehmen',
+ 'name' => 'Name',
+ 'website' => 'Webseite',
+ 'work_phone' => 'Telefon',
+ 'address' => 'Adresse',
+ 'address1' => 'Straße',
+ 'address2' => 'Adresszusatz',
+ 'city' => 'Stadt',
+ 'state' => 'Bundesland',
+ 'postal_code' => 'Postleitzahl',
+ 'country_id' => 'Land',
+ 'contacts' => 'Kontakte',
+ 'first_name' => 'Vorname',
+ 'last_name' => 'Nachname',
+ 'phone' => 'Telefon',
+ 'email' => 'E-Mail',
+ 'additional_info' => 'Zusätzliche Informationen',
+ 'payment_terms' => 'Zahlungsbedingungen',
+ 'currency_id' => 'Währung',
+ 'size_id' => 'Firmengröße',
+ 'industry_id' => 'Kategorie',
+ 'private_notes' => 'Private Notizen',
+ 'invoice' => 'Rechnung',
+ 'client' => 'Kunde',
+ 'invoice_date' => 'Rechnungsdatum',
+ 'due_date' => 'Fälligkeitsdatum',
+ 'invoice_number' => 'Rechnungsnummer',
+ 'invoice_number_short' => 'Rechnung #',
+ 'po_number' => 'Bestellnummer',
+ 'po_number_short' => 'BN #',
+ 'frequency_id' => 'Wie oft',
+ 'discount' => 'Rabatt',
+ 'taxes' => 'Steuern',
+ 'tax' => 'Steuer',
+ 'item' => 'Artikel',
+ 'description' => 'Beschreibung',
+ 'unit_cost' => 'Einzelpreis',
+ 'quantity' => 'Menge',
+ 'line_total' => 'Summe',
+ 'subtotal' => 'Zwischensumme',
+ 'paid_to_date' => 'Bereits gezahlt',
+ 'balance_due' => 'Offener Betrag',
+ 'invoice_design_id' => 'Design',
+ 'terms' => 'Bedingungen',
+ 'your_invoice' => 'Ihre Rechnung',
+ 'remove_contact' => 'Kontakt löschen',
+ 'add_contact' => 'Kontakt hinzufügen',
+ 'create_new_client' => 'Einen neuen Kunden erstellen',
+ 'edit_client_details' => 'Kundendetails bearbeiten',
+ 'enable' => 'Aktivieren',
+ 'learn_more' => 'Mehr erfahren',
+ 'manage_rates' => 'Steuersätze verwalten',
+ 'note_to_client' => 'Notiz an den Kunden',
+ 'invoice_terms' => 'Rechnungsbedingungen',
+ 'save_as_default_terms' => 'Als Standardbedingungen speichern',
+ 'download_pdf' => 'PDF herunterladen',
+ 'pay_now' => 'Jetzt bezahlen',
+ 'save_invoice' => 'Rechnung speichern',
+ 'clone_invoice' => 'Als Rechnung kopieren',
+ 'archive_invoice' => 'Rechnung archivieren',
+ 'delete_invoice' => 'Rechnung löschen',
+ 'email_invoice' => 'Rechnung versenden',
+ 'enter_payment' => 'Zahlung eingeben',
+ 'tax_rates' => 'Steuersätze',
+ 'rate' => 'Satz',
+ 'settings' => 'Einstellungen',
+ 'enable_invoice_tax' => 'Ermögliche das Bestimmen einer Rechnungssteuer',
+ 'enable_line_item_tax' => 'Ermögliche das Bestimmen von Steuern für Belegpositionen',
+ 'dashboard' => 'Dashboard',
+ 'clients' => 'Kunden',
+ 'invoices' => 'Rechnungen',
+ 'payments' => 'Zahlungen',
+ 'credits' => 'Guthaben',
+ 'history' => 'Verlauf',
+ 'search' => 'Suche',
+ 'sign_up' => 'Anmeldung',
+ 'guest' => 'Gast',
+ 'company_details' => 'Firmendaten',
+ 'online_payments' => 'Online-Zahlungen',
+ 'notifications' => 'Benachrichtigungen',
+ 'import_export' => 'Import/Export',
+ 'done' => 'Erledigt',
+ 'save' => 'Speichern',
+ 'create' => 'Erstellen',
+ 'upload' => 'Hochladen',
+ 'import' => 'Importieren',
+ 'download' => 'Downloaden',
+ 'cancel' => 'Abbrechen',
+ 'close' => 'Schließen',
+ 'provide_email' => 'Bitte geben Sie eine gültige E-Mail-Adresse an',
+ 'powered_by' => 'Unterstützt durch',
+ 'no_items' => 'Keine Objekte',
+ 'recurring_invoices' => 'Wiederkehrende Rechnungen',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'Gesamtumsatz',
+ 'billed_client' => 'abgerechneter Kunde',
+ 'billed_clients' => 'abgerechnete Kunden',
+ 'active_client' => 'aktiver Kunde',
+ 'active_clients' => 'aktive Kunden',
+ 'invoices_past_due' => 'Fällige Rechnungen',
+ 'upcoming_invoices' => 'Ausstehende Rechnungen',
+ 'average_invoice' => 'Durchschnittlicher Rechnungsbetrag',
+ 'archive' => 'Archivieren',
+ 'delete' => 'löschen',
+ 'archive_client' => 'Kunde archivieren',
+ 'delete_client' => 'Kunde löschen',
+ 'archive_payment' => 'Zahlung archivieren',
+ 'delete_payment' => 'Zahlung löschen',
+ 'archive_credit' => 'Guthaben archivieren',
+ 'delete_credit' => 'Guthaben löschen',
+ 'show_archived_deleted' => 'Zeige archivierte/gelöschte',
+ 'filter' => 'Filter',
+ 'new_client' => 'Neuer Kunde',
+ 'new_invoice' => 'Neue Rechnung',
+ 'new_payment' => 'Zahlung eingeben',
+ 'new_credit' => 'Guthaben eingeben',
+ 'contact' => 'Kontakt',
+ 'date_created' => 'Erstellungsdatum',
+ 'last_login' => 'Letzter Login',
+ 'balance' => 'Saldo',
+ 'action' => 'Aktion',
+ 'status' => 'Status',
+ 'invoice_total' => 'Rechnungsbetrag',
+ 'frequency' => 'Häufigkeit',
+ 'start_date' => 'Startdatum',
+ 'end_date' => 'Enddatum',
+ 'transaction_reference' => 'Abwicklungsreferenz',
+ 'method' => 'Verfahren',
+ 'payment_amount' => 'Zahlungsbetrag',
+ 'payment_date' => 'Zahlungsdatum',
+ 'credit_amount' => 'Guthabenbetrag',
+ 'credit_balance' => 'Guthabenstand',
+ 'credit_date' => 'Guthabendatum',
+ 'empty_table' => 'Es sind keine Daten vorhanden',
+ 'select' => 'Wählen',
+ 'edit_client' => 'Kunde bearbeiten',
+ 'edit_invoice' => 'Rechnung bearbeiten',
+ 'create_invoice' => 'Rechnung erstellen',
+ 'enter_credit' => 'Guthaben eingeben',
+ 'last_logged_in' => 'Zuletzt eingeloggt',
+ 'details' => 'Details',
+ 'standing' => 'Aktueller Stand',
+ 'credit' => 'Gutschrift',
+ 'activity' => 'Aktivität',
+ 'date' => 'Datum',
+ 'message' => 'Nachricht',
+ 'adjustment' => 'Anpassung',
+ 'are_you_sure' => 'Sind Sie sicher?',
+ 'payment_type_id' => 'Zahlungsart',
+ 'amount' => 'Betrag',
+ 'work_email' => 'E-Mail',
+ 'language_id' => 'Sprache',
+ 'timezone_id' => 'Zeitzone',
+ 'date_format_id' => 'Datumsformat',
+ 'datetime_format_id' => 'Datums-/Zeitformat',
+ 'users' => 'Benutzer',
+ 'localization' => 'Lokalisierung',
+ 'remove_logo' => 'Logo entfernen',
+ 'logo_help' => 'Unterstützt: JPEG, GIF und PNG',
+ 'payment_gateway' => 'Zahlungseingang',
+ 'gateway_id' => 'Zahlungsanbieter',
+ 'email_notifications' => 'E-Mail Benachrichtigungen',
+ 'email_sent' => 'Benachrichtigen, wenn eine Rechnung versendet wurde',
+ 'email_viewed' => 'Benachrichtigen, wenn eine Rechnung betrachtet wurde',
+ 'email_paid' => 'Benachrichtigen, wenn eine Rechnung bezahlt wurde',
+ 'site_updates' => 'Webseitenaktualisierungen',
+ 'custom_messages' => 'Benutzerdefinierte Nachrichten',
+ 'default_email_footer' => 'Standard-E-Mail Signatur',
+ 'select_file' => 'Bitte wähle eine Datei',
+ 'first_row_headers' => 'Benutze erste Zeile als Kopfzeile',
+ 'column' => 'Spalte',
+ 'sample' => 'Beispiel',
+ 'import_to' => 'Importieren nach',
+ 'client_will_create' => 'Kunde wird erstellt',
+ 'clients_will_create' => 'Kunden werden erstellt',
+ 'email_settings' => 'E-Mail-Einstellungen',
+ 'client_view_styling' => 'Client View Styling',
+ 'pdf_email_attachment' => 'PDF anhängen',
+ 'custom_css' => 'Benutzerdefiniertes CSS',
+ 'import_clients' => 'Importiere Kundendaten',
+ 'csv_file' => 'Wähle CSV Datei',
+ 'export_clients' => 'Exportiere Kundendaten',
+ 'created_client' => 'Kunde erfolgreich angelegt',
+ 'created_clients' => ':count Kunden erfolgreich angelegt',
+ 'updated_settings' => 'Einstellungen erfolgreich aktualisiert',
+ 'removed_logo' => 'Logo erfolgreich entfernt',
+ 'sent_message' => 'Nachricht erfolgreich versendet',
+ 'invoice_error' => 'Bitte stelle sicher, dass ein Kunde ausgewählt und alle Fehler behoben wurden',
+ 'limit_clients' => 'Entschuldige, das überschreitet das Limit von :count Kunden',
+ 'payment_error' => 'Es ist ein Fehler während der Zahlung aufgetreten. Bitte versuche es später noch einmal.',
+ 'registration_required' => 'Bitte melde dich an um eine Rechnung zu versenden',
+ 'confirmation_required' => 'Bitte verifiziere deine E-Mail Adresse, :link um die E-Mail Bestätigung erneut zu senden.',
+ 'updated_client' => 'Kunde erfolgreich aktualisiert',
+ 'created_client' => 'Kunde erfolgreich angelegt',
+ 'archived_client' => 'Kunde erfolgreich archiviert',
+ 'archived_clients' => ':count Kunden erfolgreich archiviert',
+ 'deleted_client' => 'Kunde erfolgreich gelöscht',
+ 'deleted_clients' => ':count Kunden erfolgreich gelöscht',
+ 'updated_invoice' => 'Rechnung erfolgreich aktualisiert',
+ 'created_invoice' => 'Rechnung erfolgreich erstellt',
+ 'cloned_invoice' => 'Rechnung erfolgreich dupliziert',
+ 'emailed_invoice' => 'Rechnung erfolgreich versendet',
+ 'and_created_client' => 'und Kunde erstellt',
+ 'archived_invoice' => 'Rechnung erfolgreich archiviert',
+ 'archived_invoices' => ':count Rechnungen erfolgreich archiviert',
+ 'deleted_invoice' => 'Rechnung erfolgreich gelöscht',
+ 'deleted_invoices' => ':count Rechnungen erfolgreich gelöscht',
+ 'created_payment' => 'Zahlung erfolgreich erstellt',
+ 'created_payments' => ':count Zahlung(en) erfolgreich erstellt',
+ 'archived_payment' => 'Zahlung erfolgreich archiviert',
+ 'archived_payments' => ':count Zahlungen erfolgreich archiviert',
+ 'deleted_payment' => 'Zahlung erfolgreich gelöscht',
+ 'deleted_payments' => ':count Zahlungen erfolgreich gelöscht',
+ 'applied_payment' => 'Zahlung erfolgreich angewandt',
+ 'created_credit' => 'Guthaben erfolgreich erstellt',
+ 'archived_credit' => 'Guthaben erfolgreich archiviert',
+ 'archived_credits' => ':count Guthaben erfolgreich archiviert',
+ 'deleted_credit' => 'Guthaben erfolgreich gelöscht',
+ 'deleted_credits' => ':count Guthaben erfolgreich gelöscht',
+ 'imported_file' => 'Datei erfolgreich importiert',
+ 'updated_vendor' => 'Lieferant erfolgreich aktualisiert',
+ 'created_vendor' => 'Lieferant erfolgreich erstellt',
+ 'archived_vendor' => 'Lieferant erfolgreich archiviert',
+ 'archived_vendors' => ':count Lieferanten erfolgreich archiviert',
+ 'deleted_vendor' => 'Lieferant erfolgreich gelöscht',
+ 'deleted_vendors' => ':count Lieferanten erfolgreich gelöscht',
+ 'confirmation_subject' => 'InvoiceNinja Kontobestätigung',
+ 'confirmation_header' => 'Kontobestätigung',
+ 'confirmation_message' => 'Bitte klicke auf den folgenden Link um dein Konto zu bestätigen.',
+ 'invoice_subject' => 'Neue Rechnung :number von :account',
+ 'invoice_message' => 'Um Ihre Rechnung über :amount einzusehen, klicken Sie bitte auf den folgenden Link:',
+ 'payment_subject' => 'Zahlungseingang',
+ 'payment_message' => 'Vielen Dank für Ihre Zahlung von :amount.',
+ 'email_salutation' => 'Sehr geehrte/r :name,',
+ 'email_signature' => 'Mit freundlichen Grüßen,',
+ 'email_from' => 'Das InvoiceNinja Team',
+ 'invoice_link_message' => 'Um deine Kundenrechnung anzuschauen, klicke auf den folgenden Link:',
+ 'notification_invoice_paid_subject' => 'Die Rechnung :invoice wurde von :client bezahlt.',
+ 'notification_invoice_sent_subject' => 'Rechnung :invoice wurde an :client versendet.',
+ 'notification_invoice_viewed_subject' => 'Die Rechnung :invoice wurde von :client angeschaut.',
+ 'notification_invoice_paid' => 'Eine Zahlung von :amount wurde von :client bezüglich Rechnung :invoice getätigt.',
+ 'notification_invoice_sent' => 'Rechnung :invoice über :amount wurde an den Kunden :client versendet.',
+ 'notification_invoice_viewed' => 'Der Kunde :client hat sich die Rechnung :invoice über :amount angesehen.',
+ 'reset_password' => 'Du kannst dein Passwort zurücksetzen, indem du auf den folgenden Link klickst:',
+ 'secure_payment' => 'Sichere Zahlung',
+ 'card_number' => 'Kartennummer',
+ 'expiration_month' => 'Ablaufmonat',
+ 'expiration_year' => 'Ablaufjahr',
+ 'cvv' => 'Kartenprüfziffer',
+ 'logout' => 'Abmelden',
+ 'sign_up_to_save' => 'Melde dich an, um deine Arbeit zu speichern',
+ 'agree_to_terms' => 'Ich stimme den :terms zu',
+ 'terms_of_service' => 'Service-Bedingungen',
+ 'email_taken' => 'Diese E-Mail-Adresse ist bereits registriert',
+ 'working' => 'Wird bearbeitet',
+ 'success' => 'Erfolg',
+ 'success_message' => 'Du hast dich erfolgreich registriert. Bitte besuche den Link in deiner Bestätigungsmail um deine E-Mail-Adresse zu verifizieren.',
+ 'erase_data' => 'Ihr Konto ist nicht registriert, diese Aktion wird Ihre Daten unwiederbringlich löschen.',
+ 'password' => 'Passwort',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'Danke, dass Sie Invoice Ninja\'s Pro gewählt haben!
+ Nächste SchritteEine bezahlbare Rechnung wurde an die Mailadresse,
+ welche mit Ihrem Account verbunden ist, geschickt. Um alle der umfangreichen
+ Pro Funktionen freizuschalten, folgen Sie bitte den Anweisungen in der Rechnung um ein Jahr
+ die Pro Funktionen zu nutzen.
+ Sie finden die Rechnung nicht? Sie benötigen weitere Hilfe? Wir helfen gerne
+ -- schicken Sie uns doch eine Email an contact@invoice-ninja.com',
+ 'unsaved_changes' => 'Es liegen ungespeicherte Änderungen vor',
+ 'custom_fields' => 'Benutzerdefinierte Felder',
+ 'company_fields' => 'Firmenfelder',
+ 'client_fields' => 'Kundenfelder',
+ 'field_label' => 'Feldbezeichnung',
+ 'field_value' => 'Feldwert',
+ 'edit' => 'Bearbeiten',
+ 'set_name' => 'Den Firmennamen setzen',
+ 'view_as_recipient' => 'Als Empfänger betrachten',
+ 'product_library' => 'Produktbibliothek',
+ 'product' => 'Produkt',
+ 'products' => 'Produkte',
+ 'fill_products' => 'Produkte automatisch ausfüllen',
+ 'fill_products_help' => 'Beim Auswählen eines Produktes werden automatisch Beschreibung und Kosten ausgefüllt',
+ 'update_products' => 'Produkte automatisch aktualisieren',
+ 'update_products_help' => 'Beim Aktualisieren einer Rechnung werden die Produkte automatisch aktualisiert',
+ 'create_product' => 'Produkt erstellen',
+ 'edit_product' => 'Produkt bearbeiten',
+ 'archive_product' => 'Produkt archivieren',
+ 'updated_product' => 'Produkt erfolgreich aktualisiert',
+ 'created_product' => 'Produkt erfolgreich erstellt',
+ 'archived_product' => 'Produkt erfolgreich archiviert',
+ 'pro_plan_custom_fields' => ':link um durch eine Pro-Mitgliedschaft erweiterte Felder zu aktivieren',
+ 'advanced_settings' => 'Erweiterte Einstellungen',
+ 'pro_plan_advanced_settings' => ':link um durch eine Pro-Mitgliedschaft erweiterte Einstellungen zu aktivieren',
+ 'invoice_design' => 'Rechnungsdesign',
+ 'specify_colors' => 'Farben wählen',
+ 'specify_colors_label' => 'Wähle die in der Rechnung verwendeten Farben',
+ 'chart_builder' => 'Diagrammersteller',
+ 'ninja_email_footer' => 'Erstellt von :site | Erstelle. Sende. Werde bezahlt.',
+ 'go_pro' => 'Pro werden',
+ 'quote' => 'Angebot',
+ 'quotes' => 'Angebote',
+ 'quote_number' => 'Angebotsnummer',
+ 'quote_number_short' => 'Angebot #',
+ 'quote_date' => 'Angebotsdatum',
+ 'quote_total' => 'Gesamtanzahl Angebote',
+ 'your_quote' => 'Ihr Angebot',
+ 'total' => 'Gesamt',
+ 'clone' => 'Duplizieren',
+ 'new_quote' => 'Neues Angebot',
+ 'create_quote' => 'Angebot erstellen',
+ 'edit_quote' => 'Angebot bearbeiten',
+ 'archive_quote' => 'Angebot archivieren',
+ 'delete_quote' => 'Angebot löschen',
+ 'save_quote' => 'Angebot speichern',
+ 'email_quote' => 'Angebot per E-Mail senden',
+ 'clone_quote' => 'Als Angebot kopieren',
+ 'convert_to_invoice' => 'In Rechnung umwandeln',
+ 'view_invoice' => 'Rechnung anschauen',
+ 'view_client' => 'Kunde anschauen',
+ 'view_quote' => 'Angebot anschauen',
+ 'updated_quote' => 'Angebot erfolgreich aktualisiert',
+ 'created_quote' => 'Angebot erfolgreich erstellt',
+ 'cloned_quote' => 'Angebot erfolgreich dupliziert',
+ 'emailed_quote' => 'Angebot erfolgreich versendet',
+ 'archived_quote' => 'Angebot erfolgreich archiviert',
+ 'archived_quotes' => ':count Angebote erfolgreich archiviert',
+ 'deleted_quote' => 'Angebot erfolgreich gelöscht',
+ 'deleted_quotes' => ':count Angebote erfolgreich gelöscht',
+ 'converted_to_invoice' => 'Angebot erfolgreich in Rechnung umgewandelt',
+ 'quote_subject' => 'Neues Angebot :number von :account',
+ 'quote_message' => 'Klicken Sie auf den folgenden Link um das Angebot über :amount anzuschauen.',
+ 'quote_link_message' => 'Klicke auf den folgenden Link um das Angebot deines Kunden anzuschauen:',
+ 'notification_quote_sent_subject' => 'Angebot :invoice wurde an :client versendet',
+ 'notification_quote_viewed_subject' => 'Angebot :invoice wurde von :client angeschaut',
+ 'notification_quote_sent' => 'Der folgende Kunde :client erhielt das Angebot :invoice über :amount.',
+ 'notification_quote_viewed' => 'Der folgende Kunde :client hat sich das Angebot :client über :amount angesehen.',
+ 'session_expired' => 'Deine Sitzung ist abgelaufen.',
+ 'invoice_fields' => 'Rechnungsfelder',
+ 'invoice_options' => 'Rechnungsoptionen',
+ 'hide_paid_to_date' => '"Bereits gezahlt" ausblenden',
+ 'hide_paid_to_date_help' => '"Bereits gezahlt" nur anzeigen, wenn eine Zahlung eingegangen ist.',
+ 'charge_taxes' => 'Steuern erheben',
+ 'user_management' => 'Benutzerverwaltung',
+ 'add_user' => 'Benutzer hinzufügen',
+ 'send_invite' => 'Einladung versenden',
+ 'sent_invite' => 'Einladung erfolgreich versendet',
+ 'updated_user' => 'Benutzer erfolgreich aktualisiert',
+ 'invitation_message' => 'Du wurdest von :invitor eingeladen.',
+ 'register_to_add_user' => 'Bitte registrieren, um einen Benutzer hinzuzufügen',
+ 'user_state' => 'Status',
+ 'edit_user' => 'Benutzer bearbeiten',
+ 'delete_user' => 'Benutzer löschen',
+ 'active' => 'Aktiv',
+ 'pending' => 'Ausstehend',
+ 'deleted_user' => 'Benutzer erfolgreich gelöscht',
+ 'confirm_email_invoice' => 'Bist du sicher, dass du diese Rechnung per E-Mail versenden möchtest?',
+ 'confirm_email_quote' => 'Bist du sicher, dass du dieses Angebot per E-Mail versenden möchtest',
+ 'confirm_recurring_email_invoice' => 'Wiederkehrende Rechnung ist aktiv. Bis du sicher, dass du diese Rechnung weiterhin als E-Mail verschicken möchtest?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Sind Sie sicher, dass Sie diese wiederkehrende Rechnung aktivieren wollen?',
+ 'cancel_account' => 'Konto kündigen',
+ 'cancel_account_message' => 'Warnung: Diese Aktion wird dein Konto unwiederbringlich löschen.',
+ 'go_back' => 'Zurück',
+ 'data_visualizations' => 'Datenvisualisierungen',
+ 'sample_data' => 'Beispieldaten werden angezeigt',
+ 'hide' => 'Verbergen',
+ 'new_version_available' => 'Eine neue Version von :releases_link ist verfügbar. Du benutzt v:user_version, die aktuelle ist v:latest_version',
+ 'invoice_settings' => 'Rechnungseinstellungen',
+ 'invoice_number_prefix' => 'Präfix für Rechnungsnummer',
+ 'invoice_number_counter' => 'Zähler für Rechnungsnummer',
+ 'quote_number_prefix' => 'Präfix für Angebotsnummer',
+ 'quote_number_counter' => 'Zähler für Angebotsnummer',
+ 'share_invoice_counter' => 'Zähler der Rechnung teilen',
+ 'invoice_issued_to' => 'Rechnung ausgestellt für',
+ 'invalid_counter' => 'Bitte setze, um Probleme zu vermeiden, entweder ein Rechnungs- oder Angebotspräfix.',
+ 'mark_sent' => 'Als versendet markieren',
+ 'gateway_help_1' => ':link um sich bei Authorize.net anzumelden.',
+ 'gateway_help_2' => ':link um sich bei Authorize.net anzumelden.',
+ 'gateway_help_17' => ':link, um deine PayPal API-Signatur zu erhalten.',
+ 'gateway_help_27' => ':link to sign up for 2Checkout.com. To ensure payments are tracked set :complete_link as the redirect URL under Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link um ein WePay Konto zu erstellen.',
+ 'more_designs' => 'Weitere Designs',
+ 'more_designs_title' => 'Zusätzliche Rechnungsdesigns',
+ 'more_designs_cloud_header' => 'Werde Pro-Mitglied für zusätzliche Rechnungsdesigns',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Kaufen',
+ 'bought_designs' => 'Die zusätzliche Rechnungsdesigns wurden erfolgreich hinzugefügt',
+ 'sent' => 'Versendet',
+ 'vat_number' => 'USt-IdNr.',
+ 'timesheets' => 'Zeittabellen',
+ 'payment_title' => 'Geben Sie Ihre Rechnungsadresse und Ihre Kreditkarteninformationen ein',
+ 'payment_cvv' => '*Dies ist die 3-4-stellige Nummer auf der Rückseite Ihrer Kreditkarte',
+ 'payment_footer1' => '*Die Rechnungsadresse muss mit der Adresse der Kreditkarte übereinstimmen.',
+ 'payment_footer2' => '*Bitte drücken Sie nur einmal auf "Jetzt bezahlen" - die Verarbeitung der Transaktion kann bis zu einer Minute dauern.',
+ 'id_number' => 'ID-Nummer',
+ 'white_label_link' => 'Branding entfernen',
+ 'white_label_header' => 'Branding entfernen',
+ 'bought_white_label' => 'Branding-freie Lizenz erfolgreich aktiviert',
+ 'white_labeled' => 'Branding entfernt',
+ 'restore' => 'Wiederherstellen',
+ 'restore_invoice' => 'Rechnung wiederherstellen',
+ 'restore_quote' => 'Angebot wiederherstellen',
+ 'restore_client' => 'Kunde wiederherstellen',
+ 'restore_credit' => 'Guthaben wiederherstellen',
+ 'restore_payment' => 'Zahlung wiederherstellen',
+ 'restored_invoice' => 'Rechnung erfolgreich wiederhergestellt',
+ 'restored_quote' => 'Angebot erfolgreich wiederhergestellt',
+ 'restored_client' => 'Kunde erfolgreich wiederhergestellt',
+ 'restored_payment' => 'Zahlung erfolgreich wiederhergestellt',
+ 'restored_credit' => 'Guthaben erfolgreich wiederhergestellt',
+ 'reason_for_canceling' => 'Hilf uns, unser Angebot zu verbessern, indem du uns mitteilst, weswegen du dich dazu entschieden hast, unseren Service nicht länger zu nutzen.',
+ 'discount_percent' => 'Prozent',
+ 'discount_amount' => 'Wert',
+ 'invoice_history' => 'Rechnungshistorie',
+ 'quote_history' => 'Angebotshistorie',
+ 'current_version' => 'Aktuelle Version',
+ 'select_version' => 'Version auswählen',
+ 'view_history' => 'Historie anzeigen',
+ 'edit_payment' => 'Zahlung bearbeiten',
+ 'updated_payment' => 'Zahlung erfolgreich aktualisiert',
+ 'deleted' => 'Gelöscht',
+ 'restore_user' => 'Benutzer wiederherstellen',
+ 'restored_user' => 'Benutzer erfolgreich wiederhergestellt',
+ 'show_deleted_users' => 'Zeige gelöschte Benutzer',
+ 'email_templates' => 'E-Mail Vorlagen',
+ 'invoice_email' => 'Rechnungsmail',
+ 'payment_email' => 'Zahlungsmail',
+ 'quote_email' => 'Angebotsmail',
+ 'reset_all' => 'Alle zurücksetzen',
+ 'approve' => 'Zustimmen',
+ 'token_billing_type_id' => 'Token Billing',
+ 'token_billing_help' => 'Zahlungsdetails mit WePay, Stripe, Baintree oder GoCardless speichern.',
+ 'token_billing_1' => 'Deaktiviert',
+ 'token_billing_2' => 'Opt-in - Kontrollkästchen wird angezeigt ist aber nicht ausgewählt',
+ 'token_billing_3' => 'Opt-out - Kontrollkästchen wird angezeigt und ist ausgewählt',
+ 'token_billing_4' => 'Immer',
+ 'token_billing_checkbox' => 'Kreditkarteninformationen speichern',
+ 'view_in_gateway' => 'Auf :gateway anzeigen',
+ 'use_card_on_file' => 'Verwende gespeicherte Kreditkarte',
+ 'edit_payment_details' => 'Zahlungsdetails bearbeiten',
+ 'token_billing' => 'Kreditkarte merken',
+ 'token_billing_secure' => 'Die Daten werden sicher von :link gespeichert.',
+ 'support' => 'Support',
+ 'contact_information' => 'Kontakt-Informationen',
+ '256_encryption' => '256-Bit Verschlüsselung',
+ 'amount_due' => 'Fälliger Betrag',
+ 'billing_address' => 'Rechnungsadresse',
+ 'billing_method' => 'Abrechnungsmethode',
+ 'order_overview' => 'Bestellübersicht',
+ 'match_address' => '*Die Rechnungsadresse muss mit der Adresse der Kreditkarte übereinstimmen.',
+ 'click_once' => '*Bitte drücken Sie nur einmal auf "Jetzt bezahlen" - die Verarbeitung der Transaktion kann bis zu einer Minute dauern.',
+ 'invoice_footer' => 'Rechnungsfußzeile',
+ 'save_as_default_footer' => 'Als Standard-Fußzeile speichern',
+ 'token_management' => 'Token Verwaltung',
+ 'tokens' => 'Token',
+ 'add_token' => 'Token hinzufügen',
+ 'show_deleted_tokens' => 'Zeige gelöschte Token',
+ 'deleted_token' => 'Token erfolgreich gelöscht',
+ 'created_token' => 'Token erfolgreich erstellt',
+ 'updated_token' => 'Token erfolgreich aktualisiert',
+ 'edit_token' => 'Token bearbeiten',
+ 'delete_token' => 'Token löschen',
+ 'token' => 'Token',
+ 'add_gateway' => 'Zahlungsanbieter hinzufügen',
+ 'delete_gateway' => 'Zahlungsanbieter löschen',
+ 'edit_gateway' => 'Zahlungsanbieter bearbeiten',
+ 'updated_gateway' => 'Zahlungsanbieter aktualisiert',
+ 'created_gateway' => 'Zahlungsanbieter erfolgreich hinzugefügt',
+ 'deleted_gateway' => 'Zahlungsanbieter erfolgreich gelöscht',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Kreditkarte',
+ 'change_password' => 'Passwort ändern',
+ 'current_password' => 'Aktuelles Passwort',
+ 'new_password' => 'Neues Passwort',
+ 'confirm_password' => 'Passwort bestätigen',
+ 'password_error_incorrect' => 'Das aktuelle Passwort ist nicht korrekt.',
+ 'password_error_invalid' => 'Das neue Passwort ist ungültig.',
+ 'updated_password' => 'Passwort erfolgreich aktualisiert',
+ 'api_tokens' => 'API Token',
+ 'users_and_tokens' => 'Benutzer & Token',
+ 'account_login' => 'Konto Login',
+ 'recover_password' => 'Passwort wiederherstellen',
+ 'forgot_password' => 'Passwort vergessen?',
+ 'email_address' => 'E-Mail-Adresse',
+ 'lets_go' => 'Auf geht\'s',
+ 'password_recovery' => 'Passwort-Wiederherstellung',
+ 'send_email' => 'E-Mail senden',
+ 'set_password' => 'Passwort festlegen',
+ 'converted' => 'Umgewandelt',
+ 'email_approved' => 'Per E-Mail benachrichtigen, wenn ein Angebot angenommen wurde',
+ 'notification_quote_approved_subject' => 'Angebot :invoice wurde von :client angenommen.',
+ 'notification_quote_approved' => 'Der folgende Kunde :client nahm das Angebot :invoice über :amount an.',
+ 'resend_confirmation' => 'Bestätigungsmail erneut senden',
+ 'confirmation_resent' => 'Bestätigungsemail wurde erneut versendet',
+ 'gateway_help_42' => ':link zum Registrieren auf BitPay.
Hinweis: benutze einen Legacy API Key, keinen API token.',
+ 'payment_type_credit_card' => 'Kreditkarte',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'FAQ',
+ 'partial' => 'Teilzahlung/Anzahlung',
+ 'partial_remaining' => ':partial von :balance',
+ 'more_fields' => 'Weitere Felder',
+ 'less_fields' => 'Weniger Felder',
+ 'client_name' => 'Kunde',
+ 'pdf_settings' => 'PDF-Einstellungen',
+ 'product_settings' => 'Produkt-Einstellungen',
+ 'auto_wrap' => 'Automatischer Zeilenumbruch',
+ 'duplicate_post' => 'Achtung: Die vorherige Seite wurde zweimal übermittelt. Die zweite Übermittlung wurde ignoriert.',
+ 'view_documentation' => 'Dokumentation anzeigen',
+ 'app_title' => 'Kostenlose Online Open-Source Rechnungsausstellung',
+ 'app_description' => 'InvoiceNinja ist eine kostenlose, quelloffene Lösung für die Rechnungsstellung und Abrechnung von Kunden. Mit Invoice Ninja kannst du einfach schöne Rechnungen erstellen und verschicken, von jedem Gerät mit Internetzugang. Deine Kunden können die Rechnungen drucken, als PDF Datei herunterladen und sogar online im System bezahlen.',
+ 'rows' => 'Zeilen',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdomäne',
+ 'provide_name_or_email' => 'Bitte geben Sie einen Namen oder eine E-Mail-Adresse an',
+ 'charts_and_reports' => 'Diagramme & Berichte',
+ 'chart' => 'Diagramm',
+ 'report' => 'Bericht',
+ 'group_by' => 'Gruppieren nach',
+ 'paid' => 'Bezahlt',
+ 'enable_report' => 'Bericht',
+ 'enable_chart' => 'Diagramm',
+ 'totals' => 'Summe',
+ 'run' => 'Ausführen',
+ 'export' => 'Exportieren',
+ 'documentation' => 'Dokumentation',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Wiederkehrend',
+ 'last_invoice_sent' => 'Letzte Rechnung verschickt am :date',
+ 'processed_updates' => 'Update erfolgreich abgeschlossen',
+ 'tasks' => 'Zeiterfassung',
+ 'new_task' => 'Neue Aufgabe',
+ 'start_time' => 'Startzeit',
+ 'created_task' => 'Aufgabe erfolgreich erstellt',
+ 'updated_task' => 'Aufgabe erfolgreich aktualisiert',
+ 'edit_task' => 'Aufgabe bearbeiten',
+ 'archive_task' => 'Aufgabe archivieren',
+ 'restore_task' => 'Aufgabe wiederherstellen',
+ 'delete_task' => 'Aufgabe löschen',
+ 'stop_task' => 'Aufgabe Anhalten',
+ 'time' => 'Zeit',
+ 'start' => 'Starten',
+ 'stop' => 'Anhalten',
+ 'now' => 'Jetzt',
+ 'timer' => 'Zeitmesser',
+ 'manual' => 'Manuell',
+ 'date_and_time' => 'Datum & Uhrzeit',
+ 'second' => 'Sekunde',
+ 'seconds' => 'Sekunden',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minuten',
+ 'hour' => 'Stunde',
+ 'hours' => 'Stunden',
+ 'task_details' => 'Aufgaben-Details',
+ 'duration' => 'Dauer',
+ 'end_time' => 'Endzeit',
+ 'end' => 'Ende',
+ 'invoiced' => 'In Rechnung gestellt',
+ 'logged' => 'Protokolliert',
+ 'running' => 'Läuft',
+ 'task_error_multiple_clients' => 'Die Aufgaben können nicht zu verschiedenen Kunden gehören',
+ 'task_error_running' => 'Bitte beenden Sie laufende Aufgaben zuerst',
+ 'task_error_invoiced' => 'Aufgaben wurden bereits in Rechnung gestellt',
+ 'restored_task' => 'Aufgabe erfolgreich wiederhergestellt',
+ 'archived_task' => 'Aufgabe erfolgreich archiviert',
+ 'archived_tasks' => ':count Aufgaben wurden erfolgreich archiviert',
+ 'deleted_task' => 'Aufgabe erfolgreich gelöscht',
+ 'deleted_tasks' => ':count Aufgaben wurden erfolgreich gelöscht',
+ 'create_task' => 'Aufgabe erstellen',
+ 'stopped_task' => 'Aufgabe erfolgreich angehalten',
+ 'invoice_task' => 'Aufgabe in Rechnung stellen',
+ 'invoice_labels' => 'Rechnung Spaltenüberschriften',
+ 'prefix' => 'Präfix',
+ 'counter' => 'Zähler',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link zum Registrieren auf Dwolla.',
+ 'partial_value' => 'Muss grösser als Null und kleiner als der Gesamtbetrag sein',
+ 'more_actions' => 'Weitere Aktionen',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Jetzt Upgraden!',
+ 'pro_plan_feature1' => 'Unlimitierte Anzahl Kunden erstellen',
+ 'pro_plan_feature2' => 'Zugriff auf 10 schöne Rechnungsdesigns',
+ 'pro_plan_feature3' => 'Benutzerdefinierte URLs - "DeineFirma.InvoiceNinja.com"',
+ 'pro_plan_feature4' => '"Erstellt durch Invoice Ninja" entfernen',
+ 'pro_plan_feature5' => 'Multi-Benutzer Zugriff & Aktivitätstracking',
+ 'pro_plan_feature6' => 'Angebote & pro-forma Rechnungen erstellen',
+ 'pro_plan_feature7' => 'Rechungstitelfelder und Nummerierung anpassen',
+ 'pro_plan_feature8' => 'PDFs an Kunden-Emails anhängen',
+ 'resume' => 'Fortfahren',
+ 'break_duration' => 'Pause',
+ 'edit_details' => 'Details bearbeiten',
+ 'work' => 'Arbeiten',
+ 'timezone_unset' => 'Bitte :link um deine Zeitzone zu setzen',
+ 'click_here' => 'hier klicken',
+ 'email_receipt' => 'Zahlungsbestätigung an Kunden per E-Mail senden',
+ 'created_payment_emailed_client' => 'Zahlung erfolgreich erstellt und Kunde per E-Mail benachrichtigt',
+ 'add_company' => 'Konto hinzufügen',
+ 'untitled' => 'Unbenannt',
+ 'new_company' => 'Neues Konto',
+ 'associated_accounts' => 'Konten erfolgreich verlinkt',
+ 'unlinked_account' => 'Konten erfolgreich getrennt',
+ 'login' => 'Login',
+ 'or' => 'oder',
+ 'email_error' => 'Es gab ein Problem beim Senden dieser E-Mail.',
+ 'confirm_recurring_timing' => 'Beachten Sie: E-Mails werden zu jeder vollen Stunde versendet.',
+ 'confirm_recurring_timing_not_sent' => 'Beachten Sie: E-Mails werden zu jeder vollen Stunde versendet.',
+ 'payment_terms_help' => 'Setzt das Standardfälligkeitsdatum',
+ 'unlink_account' => 'Konten trennen',
+ 'unlink' => 'Trennen',
+ 'show_address' => 'Adresse anzeigen',
+ 'show_address_help' => 'Verlange von Kunden, ihre Rechnungsadresse anzugeben',
+ 'update_address' => 'Adresse aktualisieren',
+ 'update_address_help' => 'Kundenadresse mit den gemachten Angaben aktualisieren',
+ 'times' => 'Zeiten',
+ 'set_now' => 'Auf Jetzt setzen',
+ 'dark_mode' => 'Dunkler Modus',
+ 'dark_mode_help' => 'Dunklen Hintergrund für Seitenleisten verwenden',
+ 'add_to_invoice' => 'Zur Rechnung :invoice hinzufügen',
+ 'create_new_invoice' => 'Neue Rechnung erstellen',
+ 'task_errors' => 'Bitte korrigieren Sie alle überlappenden Zeiten',
+ 'from' => 'Von',
+ 'to' => 'An',
+ 'font_size' => 'Schriftgröße',
+ 'primary_color' => 'Primäre Farbe',
+ 'secondary_color' => 'Sekundäre Farbe',
+ 'customize_design' => 'Design Anpassen',
+ 'content' => 'Inhalt',
+ 'styles' => 'Stile',
+ 'defaults' => 'Standards',
+ 'margins' => 'Außenabstände',
+ 'header' => 'Kopfzeile',
+ 'footer' => 'Fußzeile',
+ 'custom' => 'Benutzerdefiniert',
+ 'invoice_to' => 'Rechnung an',
+ 'invoice_no' => 'Rechnung Nr.',
+ 'quote_no' => 'Angebot Nr.',
+ 'recent_payments' => 'Kürzliche Zahlungen',
+ 'outstanding' => 'Ausstehend',
+ 'manage_companies' => 'Unternehmen verwalten',
+ 'total_revenue' => 'Gesamteinnahmen',
+ 'current_user' => 'Aktueller Benutzer',
+ 'new_recurring_invoice' => 'Neue wiederkehrende Rechnung',
+ 'recurring_invoice' => 'Wiederkehrende Rechnung',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Es ist zu früh die nächste wiederkehrende Rechnung zu erstellen, die nächste ist am :date geplant',
+ 'created_by_invoice' => 'Erstellt durch :invoice',
+ 'primary_user' => 'Primärer Benutzer',
+ 'help' => 'Hilfe',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'Spielplatz',
+ 'support_forum' => 'Support-Forum',
+ 'invoice_due_date' => 'Fälligkeitsdatum',
+ 'quote_due_date' => 'Gültig bis',
+ 'valid_until' => 'Gültig bis',
+ 'reset_terms' => 'Zahlungsbedingungen zurücksetzen',
+ 'reset_footer' => 'Fußzeile zurücksetzen',
+ 'invoice_sent' => ':count Rechnung versendet',
+ 'invoices_sent' => ':count Rechnungen versendet',
+ 'status_draft' => 'Entwurf',
+ 'status_sent' => 'Versendet',
+ 'status_viewed' => 'Angesehen',
+ 'status_partial' => 'Teilweise',
+ 'status_paid' => 'Bezahlt',
+ 'status_unpaid' => 'Unbezahlt',
+ 'status_all' => 'Alle',
+ 'show_line_item_tax' => 'Steuern für Belegpositionen in der jeweiligen Zeile anzeigen',
+ 'iframe_url' => 'Webseite',
+ 'iframe_url_help1' => 'Kopiere den folgenden Code in eine Seite auf deiner Website.',
+ 'iframe_url_help2' => 'Du kannst diese Funktion testen, in dem du für eine Rechnung \'Als Empfänger betrachten\'. anklickst.',
+ 'auto_bill' => 'Automatische Verrechnung',
+ 'military_time' => '24-Stunden-Zeit',
+ 'last_sent' => 'Zuletzt versendet',
+ 'reminder_emails' => 'Erinnerungs-Emails',
+ 'templates_and_reminders' => 'Vorlagen & Erinnerungen',
+ 'subject' => 'Betreff',
+ 'body' => 'Inhalt',
+ 'first_reminder' => 'Erste Erinnerung',
+ 'second_reminder' => 'Zweite Erinnerung',
+ 'third_reminder' => 'Dritte Erinnerung',
+ 'num_days_reminder' => 'Tage nach Fälligkeit',
+ 'reminder_subject' => 'Erinnerung: Rechnung :invoice von :account',
+ 'reset' => 'Zurücksetzen',
+ 'invoice_not_found' => 'Die gewünschte Rechnung ist nicht verfügbar.',
+ 'referral_program' => 'Empfehlungs-Programm',
+ 'referral_code' => 'Empfehlungs-URL',
+ 'last_sent_on' => 'Zuletzt versendet am :date',
+ 'page_expire' => 'Diese Seite wird bald ablaufen, :click_here um weiter zu arbeiten',
+ 'upcoming_quotes' => 'Ausstehende Angebote',
+ 'expired_quotes' => 'Abgelaufene Angebote',
+ 'sign_up_using' => 'Anmelden mit',
+ 'invalid_credentials' => 'Diese Zugangsdaten können wir nicht finden.',
+ 'show_all_options' => 'Zeige alle Optionen',
+ 'user_details' => 'Benutzerdaten',
+ 'oneclick_login' => 'Verbundenes Konto',
+ 'disable' => 'Deaktivieren',
+ 'invoice_quote_number' => 'Rechnungs- und Angebotsnummern',
+ 'invoice_charges' => 'Rechnungsgebühren',
+ 'notification_invoice_bounced' => 'Die Rechnung :invoice an :contact konnte nicht zugestellt werden.',
+ 'notification_invoice_bounced_subject' => 'Rechnung :invoice nicht zugestellt.',
+ 'notification_quote_bounced' => 'Das Angebot :invoice an :contact konnte nicht zugestellt werden.',
+ 'notification_quote_bounced_subject' => 'Angebot :invoice wurde nicht zugestellt.',
+ 'custom_invoice_link' => 'Manueller Rechnungs-Link',
+ 'total_invoiced' => 'Rechnungs-Betrag',
+ 'open_balance' => 'Offener Betrag',
+ 'verify_email' => 'Bitte klicken sie auf den Link in der Bestätigungsmail, um die E-Mail-Adresse zu verifizieren.',
+ 'basic_settings' => 'Allgemeine Einstellungen',
+ 'pro' => 'Pro',
+ 'gateways' => 'Zahlungs-Gateways',
+ 'next_send_on' => 'Nächster Versand: :date',
+ 'no_longer_running' => 'Diese Rechnung wird momentan nicht automatisch erstellt.',
+ 'general_settings' => 'Allgemeine Einstellungen',
+ 'customize' => 'Anpassen',
+ 'oneclick_login_help' => 'Verbinde ein Benutzerkonto, um dich ohne Passwort anzumelden',
+ 'referral_code_help' => 'Verdiene Geld, wenn du unsere App online teilst',
+ 'enable_with_stripe' => 'aktiviere| Benötigt Stripe',
+ 'tax_settings' => 'Steuer-Einstellungen',
+ 'create_tax_rate' => 'Neuer Steuersatz',
+ 'updated_tax_rate' => 'Steuersatz aktualisiert',
+ 'created_tax_rate' => 'Steuersatz erstellt',
+ 'edit_tax_rate' => 'Steuersatz bearbeiten',
+ 'archive_tax_rate' => 'Steuersatz archivieren',
+ 'archived_tax_rate' => 'Steuersatz archiviert',
+ 'default_tax_rate_id' => 'Standard-Steuersatz',
+ 'tax_rate' => 'Steuersatz',
+ 'recurring_hour' => 'Wiederholende Stunde',
+ 'pattern' => 'Schema',
+ 'pattern_help_title' => 'Schema-Hilfe',
+ 'pattern_help_1' => 'Erstellen Sie benutzerdefinierte Nummernkreise durch eigene Nummernsschemata.',
+ 'pattern_help_2' => 'Verfügbare Variablen:',
+ 'pattern_help_3' => 'Zum Beispiel: :example würde zu :value konvertiert werden.',
+ 'see_options' => 'Optionen ansehen',
+ 'invoice_counter' => 'Rechnungszähler',
+ 'quote_counter' => 'Angebotszähler',
+ 'type' => 'Typ',
+ 'activity_1' => ':user erstellte Kunde :client',
+ 'activity_2' => ':user archivierte Kunde :client',
+ 'activity_3' => ':user löschte Kunde :client',
+ 'activity_4' => ':user erstellte Rechnung :invoice',
+ 'activity_5' => ':user aktualisierte Rechnung :invoice',
+ 'activity_6' => ':user mailte Rechnung :invoice an :contact',
+ 'activity_7' => ':contact schaute Rechnung :invoice an',
+ 'activity_8' => ':user archivierte Rechnung :invoice',
+ 'activity_9' => ':user löschte Rechnung :invoice',
+ 'activity_10' => ':contact gab Zahlungsinformation :payment für :invoice ein',
+ 'activity_11' => ':user aktualisierte Zahlung :payment',
+ 'activity_12' => ':user archivierte Zahlung :payment',
+ 'activity_13' => ':user löschte Zahlung :payment',
+ 'activity_14' => ':user gab :credit Guthaben ein',
+ 'activity_15' => ':user aktualisierte :credit Guthaben',
+ 'activity_16' => ':user archivierte :credit Guthaben',
+ 'activity_17' => ':user löschte :credit Guthaben',
+ 'activity_18' => ':user erstellte Angebot :quote',
+ 'activity_19' => ':user aktualisierte Angebot :quote',
+ 'activity_20' => ':user mailte Angebot :quote an :contact',
+ 'activity_21' => ':contact schaute Angebot :quote an',
+ 'activity_22' => ':user archivierte Angebot :quote',
+ 'activity_23' => ':user löschte Angebot :quote',
+ 'activity_24' => ':user stellte Angebot :quote wieder her',
+ 'activity_25' => ':user stellte Rechnung :invoice wieder her',
+ 'activity_26' => ':user stellte Kunde :client wieder her',
+ 'activity_27' => ':user stellte Zahlung :payment wieder her',
+ 'activity_28' => ':user stellte Guthaben :credit wieder her',
+ 'activity_29' => ':contact akzeptierte Angebot :quote',
+ 'activity_30' => ':user hat Lieferant :vendor erstellt',
+ 'activity_31' => ':user hat Lieferant :vendor archiviert',
+ 'activity_32' => ':user hat Lieferant :vendor gelöscht',
+ 'activity_33' => ':user hat Lieferant :vendor wiederhergestellt',
+ 'activity_34' => ':user erstellte Ausgabe :expense',
+ 'activity_35' => ':user hat Ausgabe :expense archiviert',
+ 'activity_36' => ':user hat Ausgabe :expense gelöscht',
+ 'activity_37' => ':user hat Ausgabe :expense wiederhergestellt',
+ 'activity_42' => ':user hat Aufgabe :task erstellt',
+ 'activity_43' => ':user hat Aufgabe :task bearbeitet',
+ 'activity_44' => ':user hat Aufgabe :task archiviert',
+ 'activity_45' => ':user hat Aufgabe :task gelöscht',
+ 'activity_46' => ':user hat Aufgabe :task wiederhergestellt',
+ 'activity_47' => ':user hat Ausgabe :expense bearbeitet',
+ 'payment' => 'Zahlung',
+ 'system' => 'System',
+ 'signature' => 'E-Mail-Signatur',
+ 'default_messages' => 'Standardnachrichten',
+ 'quote_terms' => 'Angebotsbedingungen',
+ 'default_quote_terms' => 'Standard-Angebotsbedingungen',
+ 'default_invoice_terms' => 'Standard-Rechnungsbedingungen',
+ 'default_invoice_footer' => 'Standard-Fußzeile festlegen',
+ 'quote_footer' => 'Angebots-Fußzeile',
+ 'free' => 'Kostenlos',
+ 'quote_is_approved' => 'Erfolgreich freigegeben',
+ 'apply_credit' => 'Guthaben anwenden',
+ 'system_settings' => 'Systemeinstellungen',
+ 'archive_token' => 'Token archivieren',
+ 'archived_token' => 'Token erfolgreich archiviert',
+ 'archive_user' => 'Benutzer archivieren',
+ 'archived_user' => 'Benutzer erfolgreich archiviert',
+ 'archive_account_gateway' => 'Gateway archivieren',
+ 'archived_account_gateway' => 'Gateway erfolgreich archiviert',
+ 'archive_recurring_invoice' => 'Wiederkehrende Rechnung archivieren',
+ 'archived_recurring_invoice' => 'Wiederkehrende Rechnung erfolgreich archiviert',
+ 'delete_recurring_invoice' => 'Wiederkehrende Rechnung löschen',
+ 'deleted_recurring_invoice' => 'Wiederkehrende Rechnung erfolgreich gelöscht',
+ 'restore_recurring_invoice' => 'Wiederkehrende Rechnung wiederherstellen',
+ 'restored_recurring_invoice' => 'Wiederkehrende Rechnung erfolgreich wiederhergestellt',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archiviert',
+ 'untitled_account' => 'Unbenannte Firma',
+ 'before' => 'Vor',
+ 'after' => 'Nach',
+ 'reset_terms_help' => 'Auf die Standardzahlungsbedingungen des Kontos zurücksetzen',
+ 'reset_footer_help' => 'Auf die Standardfußzeile des Kontos zurücksetzen',
+ 'export_data' => 'Daten exportieren',
+ 'user' => 'Benutzer',
+ 'country' => 'Land',
+ 'include' => 'Hinzufügen',
+ 'logo_too_large' => 'Ihr Logo ist nur :size. Um eine bessere Darstellung im PDF Dokument zu erhalten, empfehlen wir ein Bild grösser als 200KB',
+ 'import_freshbooks' => 'Importiere von FreshBooks',
+ 'import_data' => 'Importiere Daten',
+ 'source' => 'Quelle',
+ 'csv' => 'CSV',
+ 'client_file' => 'Kunden Datei',
+ 'invoice_file' => 'Rechnungs Datei',
+ 'task_file' => 'Aufgaben Datei',
+ 'no_mapper' => 'Kein gültiges Mapping für die Datei',
+ 'invalid_csv_header' => 'Ungültiger CSV Header',
+ 'client_portal' => 'Kunden-Portal',
+ 'admin' => 'Admin',
+ 'disabled' => 'Deaktiviert',
+ 'show_archived_users' => 'Zeige archivierte Benutzer',
+ 'notes' => 'Notizen',
+ 'invoice_will_create' => 'Die Rechnung wird erstellt',
+ 'invoices_will_create' => 'Rechnung wird erstellt',
+ 'failed_to_import' => 'Die folgenden Daten konnten nicht importiert werden. Entweder sind diese bereits vorhanden oder es fehlen benötigte Felder.',
+ 'publishable_key' => 'Öffentlicher Schlüssel',
+ 'secret_key' => 'Geheimer Schlüssel',
+ 'missing_publishable_key' => 'Legen Sie den Stripe-Schlüssel für einen verbesserten Checkout-Vorgang fest',
+ 'email_design' => 'E-Mail-Design',
+ 'due_by' => 'Fällig am :date',
+ 'enable_email_markup' => 'Markup erlauben',
+ 'enable_email_markup_help' => 'Machen Sie es einfacher für Ihre Kunden zu bezahlen, indem Sie schema.org Markup zu Ihren E-Mails hinzufügen.',
+ 'template_help_title' => 'Vorlagen Hilfe',
+ 'template_help_1' => 'Verfügbare Variablen:',
+ 'email_design_id' => 'E-Mail-Stil',
+ 'email_design_help' => 'Lass deine E-Mails durch die Verwendung von HTML Layouts professioneller aussehen.',
+ 'plain' => 'Einfach',
+ 'light' => 'Hell',
+ 'dark' => 'Dunkel',
+ 'industry_help' => 'Wird genutzt um Vergleiche zwischen den Durchschnittswerten von Firmen ähnlicher Größe und Branche ermitteln zu können.',
+ 'subdomain_help' => 'Passen Sie die Rechnungslink-Subdomäne an oder stellen Sie die Rechnung auf Ihrer eigenen Webseite zur Verfügung.',
+ 'website_help' => 'Zeige die Rechnung als iFrame auf deiner eigenen Webseite an',
+ 'invoice_number_help' => 'Geben Sie einen Präfix oder ein benutzerdefiniertes Schema an, um die Rechnungsnummer dynamisch zu erzeugen.',
+ 'quote_number_help' => 'Geben Sie einen Präfix oder ein benutzerdefiniertes Schema an, um die Angebotsnummer dynamisch zu erzeugen.',
+ 'custom_client_fields_helps' => 'Erstelle ein Feld für Kunden. Optional kann die Feldbezeichnung und der Feldwert auch in PDF-Dokumenten ausgegeben werden.',
+ 'custom_account_fields_helps' => 'Füge ein Feld, mit Bezeichnung und zugehörigem Wert, zum Firmen-Detailabschnitt in der Rechnung hinzu.',
+ 'custom_invoice_fields_helps' => 'Erstelle ein Feld für Rechnungen. Optional kann die Feldbezeichnung und der Feldwert auch in PDF-Dokumenten ausgegeben werden.',
+ 'custom_invoice_charges_helps' => 'Füge ein Feld hinzu, wenn eine neue Rechnung erstellt wird und erfasse die Kosten in den Zwischensummen der Rechnung.',
+ 'token_expired' => 'Validierungstoken ist abgelaufen. Bitte probieren Sie es erneut.',
+ 'invoice_link' => 'Link zur Rechnung',
+ 'button_confirmation_message' => 'Bitte klicken um Ihre Email-Adresse zu bestätigen.',
+ 'confirm' => 'Bestätigen',
+ 'email_preferences' => 'Email Einstellungen',
+ 'created_invoices' => ':count Rechnung(en) erfolgreich erstellt',
+ 'next_invoice_number' => 'Die nächste Rechnungsnummer ist :number.',
+ 'next_quote_number' => 'Die nächste Angebotsnummer ist :number.',
+ 'days_before' => 'Tage vor dem',
+ 'days_after' => 'Tage nach dem ',
+ 'field_due_date' => 'Fälligkeitsdatum',
+ 'field_invoice_date' => 'Rechnungsdatum',
+ 'schedule' => 'Zeitgesteuert',
+ 'email_designs' => 'E-Mail Designs',
+ 'assigned_when_sent' => 'Zugewiesen bei Versand',
+ 'white_label_purchase_link' => 'Kaufe eine Branding-freie Lizenz',
+ 'expense' => 'Ausgabe',
+ 'expenses' => 'Ausgaben',
+ 'new_expense' => 'Ausgabe eingeben',
+ 'enter_expense' => 'Ausgabe eingeben',
+ 'vendors' => 'Lieferanten',
+ 'new_vendor' => 'Neuer Lieferant',
+ 'payment_terms_net' => 'Netto',
+ 'vendor' => 'Lieferant',
+ 'edit_vendor' => 'Lieferant Bearbeiten',
+ 'archive_vendor' => 'Lieferant Archivieren',
+ 'delete_vendor' => 'Lieferant Löschen',
+ 'view_vendor' => 'Lieferant Ansehen',
+ 'deleted_expense' => 'Ausgabe erfolgreich gelöscht',
+ 'archived_expense' => 'Ausgabe erfolgreich archiviert',
+ 'deleted_expenses' => ' Ausgaben erfolgreich gelöscht',
+ 'archived_expenses' => 'Ausgaben erfolgreich archiviert',
+ 'expense_amount' => 'Ausgabensumme',
+ 'expense_balance' => 'Ausgabendifferenz',
+ 'expense_date' => 'Ausgabendatum',
+ 'expense_should_be_invoiced' => 'Soll diese Ausgabe in Rechnung gestellt werden?',
+ 'public_notes' => 'Öffentliche Notizen',
+ 'invoice_amount' => 'Rechnungssumme',
+ 'exchange_rate' => 'Wechselkurs',
+ 'yes' => 'Ja',
+ 'no' => 'Nein',
+ 'should_be_invoiced' => 'Sollte in Rechnung gestellt werden',
+ 'view_expense' => 'Ausgabe # :expense ansehen',
+ 'edit_expense' => 'Ausgabe Bearbeiten',
+ 'archive_expense' => 'Ausgabe Archivieren',
+ 'delete_expense' => 'Ausgabe Löschen',
+ 'view_expense_num' => 'Ausgabe # :expense',
+ 'updated_expense' => 'Ausgabe erfolgreich aktualisiert',
+ 'created_expense' => 'Ausgabe erfolgreich erstellt',
+ 'enter_expense' => 'Ausgabe eingeben',
+ 'view' => 'Ansehen',
+ 'restore_expense' => 'Ausgabe Wiederherstellen',
+ 'invoice_expense' => 'Ausgabe abrechnen',
+ 'expense_error_multiple_clients' => 'Die Ausgaben können nicht zu unterschiedlichen Kunden gehören',
+ 'expense_error_invoiced' => 'Ausgabe wurde bereits in Rechnung gestellt',
+ 'convert_currency' => 'Währung umrechnen',
+ 'num_days' => 'Anzahl Tage',
+ 'create_payment_term' => 'Erstelle Zahlungsbedingungen',
+ 'edit_payment_terms' => 'Bearbeite Zahlungsbedingungen',
+ 'edit_payment_term' => 'Bearbeite Zahlungsbedingungen',
+ 'archive_payment_term' => 'Archiviere Zahlungsbedingungen',
+ 'recurring_due_dates' => 'Wiederkehrende Rechnungen Fälligkeitsdatum',
+ 'recurring_due_date_help' => 'Legt automatisch ein Fälligkeitsdatem für die Rechnung fest.
+Auf einen monatlichen oder jährlichen Wiederkehrungszyklus eingestellte Rechnungen werden erst im nächsten Monat bzw. Jahr fällig, sofern das Fälligkeitsdatum älter oder gleich dem Erstellungsdatum der Rechnung ist. Am 29. oder 30. eines Monats fällige Rechnungen werden stattdessen am letzten vorhandenen Tag eines Monats fällig, wenn er diese Tage nicht beinhaltet.
+Auf einen wöchentlichen Wiederkehrungszyklus eingestellte Rechnungen, werden erst in der nächsten Woche fällig, wenn der Wochentag mit dem Wochentag des Erstellungsdatums übereinstimmt.
+Zum Beispiel:
+
+- Heute ist der 15. Januar, das Fälligkeitsdatum ist der 1. eines Monats. Das nächste Fälligkeitsdatum entspricht dem 1. des nächsten Monats, also dem 1. Februar.
+- Heute ist der 15. Januar, das Fälligkeitsdatum ist der letzte Tag eines Monats. Das nächste Fälligkeitsdatum entspricht dem letzten Tag des aktuellen Monats, also dem 31. Januar.
+
+- Heute ist der 15. Januar, das Fälligkeitsdatum ist der 15. eines Moants. Das nächste Fälligkeitsdatum entspricht dem 15. des nächsten Monats, also dem 15. Februar.
+
+- Heute ist Freitag, das Fälligkeitsdatum ist der Freitag einer jeden Woche. Das nächste Fälligkeitsdatum entspricht dem nächsten Freitag, also nicht heute.
+
+
',
+ 'due' => 'Fällig',
+ 'next_due_on' => 'Nächste Fälligkeit: :date',
+ 'use_client_terms' => 'Kunden-Bedingungen verwenden',
+ 'day_of_month' => ':ordinal Tag des Monats',
+ 'last_day_of_month' => 'Letzter Tag des Monats',
+ 'day_of_week_after' => ':ordinal :day nach',
+ 'sunday' => 'Sonntag',
+ 'monday' => 'Montag',
+ 'tuesday' => 'Dienstag',
+ 'wednesday' => 'Mittwoch',
+ 'thursday' => 'Donnerstag',
+ 'friday' => 'Freitag',
+ 'saturday' => 'Samstag',
+ 'header_font_id' => 'Header-Schriftart',
+ 'body_font_id' => 'Body-Schriftart',
+ 'color_font_help' => 'Info: Die primäre Farbe und Schriftarten werden auch im Kundenportal und im individuellen Mail-Design verwendet.',
+ 'live_preview' => 'Live-Vorschau',
+ 'invalid_mail_config' => 'E-Mails können nicht gesendet werden. Bitte überprüfen Sie, ob die E-Mail-Einstellungen korrekt sind.',
+ 'invoice_message_button' => 'Um Ihre Rechnung über :amount zu sehen, klicken Sie die Schaltfläche unten.',
+ 'quote_message_button' => 'Um Ihr Angebot über :amount zu sehen, klicken Sie die Schaltfläche unten.',
+ 'payment_message_button' => 'Vielen Dank für Ihre Zahlung von :amount.',
+ 'payment_type_direct_debit' => 'Einzugsermächtigung',
+ 'bank_accounts' => 'Bankverbindungen',
+ 'add_bank_account' => 'Bankverbindung hinzufügen',
+ 'setup_account' => 'Konto einrichten',
+ 'import_expenses' => 'Ausgaben importieren',
+ 'bank_id' => 'Bank',
+ 'integration_type' => 'Integrations-Typ',
+ 'updated_bank_account' => 'Bankverbindung erfolgreich aktualisiert',
+ 'edit_bank_account' => 'Bankverbindung Bearbeiten',
+ 'archive_bank_account' => 'Bankverbindung Archivieren',
+ 'archived_bank_account' => 'Bankverbindung erfolgreich archiviert',
+ 'created_bank_account' => 'Bankverbindung erfolgreich erstellt',
+ 'validate_bank_account' => 'Bankverbindung bestätigen',
+ 'bank_password_help' => 'Info: Ihr Passwort wird sicher übertragen und zu keiner Zeit auf unseren Servern gespeichert.',
+ 'bank_password_warning' => 'Warnung: Ihr Passwort könnte in Klartext übertragen werden, wir empfehlen Ihnen HTTPS zu verwenden.',
+ 'username' => 'Benutzername',
+ 'account_number' => 'Kontonummer',
+ 'account_name' => 'Kontobezeichnung',
+ 'bank_account_error' => 'Fehler beim Abrufen der Kontodaten. Bitte überprüfen Sie Ihre Anmeldeinformationen.',
+ 'status_approved' => 'Bestätigt',
+ 'quote_settings' => 'Angebotseinstellungen',
+ 'auto_convert_quote' => 'Automatisch konvertieren',
+ 'auto_convert_quote_help' => 'Das Angebot automatisch in eine Rechnung umwandeln wenn es vom Kunden angenommen wird.',
+ 'validate' => 'Überprüfe',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Erfolgreich :count_vendors Lieferant(en) und :count_expenses Ausgabe(n) erstellt',
+ 'iframe_url_help3' => 'Anmerkung: Wenn Sie vorhaben Kreditkarten zu akzeptieren, empfehlen wir ausdrücklich die Verwendung von HTTPS-Webseitenverschlüsselung auf Ihrer Webseite.',
+ 'expense_error_multiple_currencies' => 'Die Ausgaben dürfen keine unterschiedlichen Währungen haben.',
+ 'expense_error_mismatch_currencies' => 'Die Währung des Kunden entspricht nicht der Währung der Ausgabe.',
+ 'trello_roadmap' => 'Trello Entwicklungskarte',
+ 'header_footer' => 'Kopf-/Fußzeile',
+ 'first_page' => 'Erste Seite',
+ 'all_pages' => 'Alle Seiten',
+ 'last_page' => 'Letzte Seite',
+ 'all_pages_header' => 'Zeige Header auf',
+ 'all_pages_footer' => 'Zeige Footer auf',
+ 'invoice_currency' => 'Rechnungs-Währung',
+ 'enable_https' => 'Wir empfehlen dringend HTTPS zu verwenden, um Kreditkarten online zu akzeptieren.',
+ 'quote_issued_to' => 'Angebot ausgefertigt an',
+ 'show_currency_code' => 'Währungscode',
+ 'free_year_message' => 'Dein Account wurde für ein Jahr kostenlos auf den PRO-Tarif hochgestuft.',
+ 'trial_message' => 'Ihr Account erhält zwei Wochen Probemitgliedschaft für unseren Pro-Plan.',
+ 'trial_footer' => 'Die Testversion deines Pro-Tarifs endet in :count Tagen. :link jetzt hochstufen.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Kostenlose Probezeit starten',
+ 'trial_success' => 'Erfolgreich eine 2-Wochen Testversion aktiviert',
+ 'overdue' => 'Überfällig',
+
+
+ 'white_label_text' => 'Kaufen Sie eine Ein-Jahres-"White Label"-Lizenz für $:price um das Invoice Ninja Branding von den Rechnungen und dem Kundenportal zu entfernen.',
+ 'user_email_footer' => 'Um deine E-Mail-Benachrichtigungen anzupassen besuche bitte :link',
+ 'reset_password_footer' => 'Wenn du das Zurücksetzen des Passworts nicht beantragt hast, benachrichtige bitte unseren Support: :email',
+ 'limit_users' => 'Entschuldige, das würde das Limit von :limit Benutzern überschreiten',
+ 'more_designs_self_host_header' => 'Erhalte 6 zusätzliche Rechnungsdesigns für nur $:price',
+ 'old_browser' => 'Bitte verwende einen :link',
+ 'newer_browser' => 'neuerer Browser',
+ 'white_label_custom_css' => ':link für $:price um ein individuelles Styling zu ermöglichen und unser Projekt zu unterstützen.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US-Banken',
+
+ 'pro_plan_remove_logo' => ':link, um das InvoiceNinja-Logo zu entfernen, indem du dem Pro Plan beitrittst',
+ 'pro_plan_remove_logo_link' => 'Klicke hier',
+ 'invitation_status_sent' => 'Gesendet',
+ 'invitation_status_opened' => 'Geöffnet',
+ 'invitation_status_viewed' => 'Gesehen',
+ 'email_error_inactive_client' => 'Emails können nicht zu inaktiven Kunden gesendet werden',
+ 'email_error_inactive_contact' => 'Emails können nicht zu inaktiven Kontakten gesendet werden',
+ 'email_error_inactive_invoice' => 'Emails können nicht zu inaktiven Rechnungen gesendet werden',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Bitte registrieren Sie sich um Emails zu versenden',
+ 'email_error_user_unconfirmed' => 'Bitte bestätigen Sie Ihr Konto um Emails zu senden',
+ 'email_error_invalid_contact_email' => 'Ungültige Kontakt Email Adresse',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'Rechnungen anzeigen',
+ 'list_clients' => 'Kunden anzeigen',
+ 'list_quotes' => 'Angebote anzeigen',
+ 'list_tasks' => 'Aufgaben anzeigen',
+ 'list_expenses' => 'Ausgaben anzeigen',
+ 'list_recurring_invoices' => 'Wiederkehrende Rechnungen anzeigen',
+ 'list_payments' => 'Zahlungen anzeigen',
+ 'list_credits' => 'Guthaben anzeigen',
+ 'tax_name' => 'Steuersatz Name',
+ 'report_settings' => 'Bericht-Einstellungen',
+ 'search_hotkey' => 'Kürzel ist /',
+
+ 'new_user' => 'Neuer Benutzer',
+ 'new_product' => 'Neues Produkt',
+ 'new_tax_rate' => 'Neuer Steuersatz',
+ 'invoiced_amount' => 'Rechnungsbetrag',
+ 'invoice_item_fields' => 'Rechnungspositionsfeld',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Wiederkehrende Nummer',
+ 'recurring_invoice_number_prefix_help' => 'Gib ein Präfix an, das der Rechnungsnummer für wiederkehrende Rechnungen hinzugefügt werden soll.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Rechnungen mit Passwort schützen',
+ 'enable_portal_password_help' => 'Erlaubt Ihnen ein Passwort für jeden Kontakt zu erstellen. Wenn ein Passwort erstellt wurde, muss der Kunde dieses eingeben, bevor er eine Rechnung ansehen darf.',
+ 'send_portal_password' => 'Automatisch generieren',
+ 'send_portal_password_help' => 'Wenn kein Passwort gesetzt wurde, wird eins generiert und mit der ersten Rechnung verschickt.',
+
+ 'expired' => 'Abgelaufen',
+ 'invalid_card_number' => 'Die Kreditkartennummer ist nicht gültig.',
+ 'invalid_expiry' => 'Das Ablaufdatum ist nicht gültig.',
+ 'invalid_cvv' => 'Der CVV Code ist nicht gültig.',
+ 'cost' => 'Kosten',
+ 'create_invoice_for_sample' => 'Hinweis: Erstellen Sie Ihre erste Rechnung um hier eine Vorschau zu sehen.',
+
+ // User Permissions
+ 'owner' => 'Eigentümer',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Dem Benutzer erlauben, andere Benutzer zu administrieren, Einstellungen zu ändern und alle Einträge zu bearbeiten',
+ 'user_create_all' => 'Erstelle Kunden, Rechnungen, usw.',
+ 'user_view_all' => 'Alle Kunden, Rechnungen, usw. ansehen',
+ 'user_edit_all' => 'Alle Kunden, Rechnungen, usw. bearbeiten',
+ 'gateway_help_20' => ':link um sich bei Sage Pay zu registrieren.',
+ 'gateway_help_21' => ':link um sich bei Sage Pay zu registrieren.',
+ 'partial_due' => 'Anzahlung',
+ 'restore_vendor' => 'Lieferant wiederherstellen',
+ 'restored_vendor' => 'Lieferant erfolgreich wiederhergestellt',
+ 'restored_expense' => 'Ausgabe erfolgreich wiederhergestellt',
+ 'permissions' => 'Berechtigungen',
+ 'create_all_help' => 'Dem Benutzer erlauben, Einträge zu erstellen und zu verändern',
+ 'view_all_help' => 'Dem Benutzer erlauben, nicht selbst erstellte Einträge anzusehen',
+ 'edit_all_help' => 'Dem Benutzer erlauben, nicht selbst erstellte Einträge zu verändern',
+ 'view_payment' => 'Zahlung zeigen',
+
+ 'january' => 'Januar',
+ 'february' => 'Februar',
+ 'march' => 'März',
+ 'april' => 'April',
+ 'may' => 'Mai',
+ 'june' => 'Juni',
+ 'july' => 'Juli',
+ 'august' => 'August',
+ 'september' => 'September',
+ 'october' => 'Oktober',
+ 'november' => 'November',
+ 'december' => 'Dezember',
+
+ // Documents
+ 'documents_header' => 'Dokumente:',
+ 'email_documents_header' => 'Dokumente:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Endgültig lieferbar.zip',
+ 'quote_documents' => 'Angebots-Dateien',
+ 'invoice_documents' => 'Rechnungs-Dateien',
+ 'expense_documents' => 'Ausgaben-Dateien',
+ 'invoice_embed_documents' => 'Dokumente einbetten',
+ 'invoice_embed_documents_help' => 'Bildanhänge in Rechnungen verwenden.',
+ 'document_email_attachment' => 'Dokumente anhängen',
+ 'ubl_email_attachment' => 'UBL anhängen',
+ 'download_documents' => 'Dokumente herunterladen (:size)',
+ 'documents_from_expenses' => 'Von Kosten:',
+ 'dropzone_default_message' => 'Dateien hierhin ziehen oder klicken, um Dateien hochzuladen',
+ 'dropzone_fallback_message' => 'Ihr Browser unterstützt keine "Drag \'n Drop" Datei-Uploads.',
+ 'dropzone_fallback_text' => 'Bitte verwenden Sie das untere Formular als Ausweichlösung, um Ihre Dateien wie in alten Zeiten hochladen zu können.',
+ 'dropzone_file_too_big' => 'Die Datei ist zu groß ({{filesize}}MiB). max. Dateigröße: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'Du kannst Dateien von diesem Typ nicht hochladen.',
+ 'dropzone_response_error' => 'Der Server hat mit dem Code: {{statusCode}} geantwortet.',
+ 'dropzone_cancel_upload' => 'Hochladen abbrechen',
+ 'dropzone_cancel_upload_confirmation' => 'Bist du dir sicher, dass du das Hochladen abbrechen möchtest?',
+ 'dropzone_remove_file' => 'Datei löschen',
+ 'documents' => 'Dokumente',
+ 'document_date' => 'Dokumenten Datum',
+ 'document_size' => 'Größe',
+
+ 'enable_client_portal' => 'Kundenportal',
+ 'enable_client_portal_help' => 'Zeige das Dashboard im Kundenportal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Zeige/Verstecke die Dashboard Seite im Kundenportal',
+
+ // Plans
+ 'account_management' => 'Kontoverwaltung',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgraden',
+ 'plan_change' => 'Wechsle den Plan',
+ 'pending_change_to' => 'Änderungen zu',
+ 'plan_changes_to' => ':plan am :date',
+ 'plan_term_changes_to' => ':plan (:term) am :date',
+ 'cancel_plan_change' => 'Veränderungen abbrechen',
+ 'plan' => 'Plan',
+ 'expires' => 'Läuft ab',
+ 'renews' => 'Erneuern',
+ 'plan_expired' => ':plan Plan abgelaufen',
+ 'trial_expired' => ':plan Probezeit abgelaufen',
+ 'never' => 'Niemals',
+ 'plan_free' => 'kostenlos',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Unternehmen',
+ 'plan_white_label' => 'Self Hosted (Branding entfernt)',
+ 'plan_free_self_hosted' => 'Self Hosted (Kostenlos)',
+ 'plan_trial' => 'Test',
+ 'plan_term' => 'Laufzeit',
+ 'plan_term_monthly' => 'Monatlich',
+ 'plan_term_yearly' => 'Jährlich',
+ 'plan_term_month' => 'Monat',
+ 'plan_term_year' => 'Jahr',
+ 'plan_price_monthly' => ':price$ pro Monat',
+ 'plan_price_yearly' => ':price$ pro Jahr',
+ 'updated_plan' => 'Aktualisierte Zahlungsplan-Einstellungen',
+ 'plan_paid' => 'Laufzeit begonnen',
+ 'plan_started' => 'Zahlungsplan gestartet',
+ 'plan_expires' => 'Zahlungsplan läuft ab',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'Einjährige Registrierung für den Invoice Ninja Pro-Plan.',
+ 'pro_plan_month_description' => 'Einmonatliche Registrierung für den Invoice Ninja Pro-Plan.',
+ 'enterprise_plan_product' => 'Unternehmensplan',
+ 'enterprise_plan_year_description' => 'Einjährige Registrierung für den Invoice Ninja Enterprise-Plan.',
+ 'enterprise_plan_month_description' => 'Einmonatliche Registrierung für den Invoice Ninja Enterprise-Plan.',
+ 'plan_credit_product' => 'Gutschrift',
+ 'plan_credit_description' => 'Gutschrift für nicht genutzte Laufzeit',
+ 'plan_pending_monthly' => 'Wird zu monatlich am :date gewechselt',
+ 'plan_refunded' => 'Eine Erstattung wurde erteilt.',
+
+ 'live_preview' => 'Live-Vorschau',
+ 'page_size' => 'Seitengröße',
+ 'live_preview_disabled' => 'Live-Vorschau wurde deaktiviert, um die gewählte Schriftart unterstützen zu können',
+ 'invoice_number_padding' => 'Innenabstand',
+ 'preview' => 'Vorschau',
+ 'list_vendors' => 'Lieferanten anzeigen',
+ 'add_users_not_supported' => 'Führen Sie ein Upgrade auf den Enterprise-Plan durch, um zusätzliche Nutzer zu Ihrem Account hinzufügen zu können.',
+ 'enterprise_plan_features' => 'Der Enterprise-Plan fügt Unterstützung für mehrere Nutzer und Dateianhänge hinzu. :link um die vollständige Liste der Features zu sehen.',
+ 'return_to_app' => 'Zurück zur App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Zahlung erstatten',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Erstattung',
+ 'are_you_sure_refund' => 'Ausgewählte Zahlungen erstatten?',
+ 'status_pending' => 'Ausstehend',
+ 'status_completed' => 'Abgeschlossen',
+ 'status_failed' => 'Fehlgeschlagen',
+ 'status_partially_refunded' => 'Teilweise erstattet',
+ 'status_partially_refunded_amount' => ':amount erstattet',
+ 'status_refunded' => 'Erstattet',
+ 'status_voided' => 'Abgebrochen',
+ 'refunded_payment' => 'Zahlung erstattet',
+ 'activity_39' => ':user brach eine Zahlung über :payment_amount ab :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Ablaufdatum: :expires',
+
+ 'card_creditcardother' => 'Unbekannt',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Akzeptiere US-Bank-Transfers',
+ 'stripe_ach_help' => 'ACH-Untetstützung muss aktiviert werden unter :link.',
+ 'ach_disabled' => 'Es wurde bereits ein anderes Gateway für den Bankeinzug eingerichtet.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Kundennummer',
+ 'secret' => 'Passwort',
+ 'public_key' => 'Öffentlicher Schlüssel',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Andere Anbieter',
+ 'country_not_supported' => 'Dieses Land wird nicht unterstützt.',
+ 'invalid_routing_number' => 'Die Bankleitzahl ist nicht gültig.',
+ 'invalid_account_number' => 'Die Kontonummer ist nicht gültig.',
+ 'account_number_mismatch' => 'Die Kontonummern stimmen nicht überein.',
+ 'missing_account_holder_type' => 'Bitte wählen Sie ein Einzel- oder Firmenkonto aus.',
+ 'missing_account_holder_name' => 'Bitten geben Sie den Namen des Kontoinhabers ein.',
+ 'routing_number' => 'Bankleitzahl',
+ 'confirm_account_number' => 'Kontonummer bestätigen',
+ 'individual_account' => 'Einzelkonto',
+ 'company_account' => 'Firmenkonto',
+ 'account_holder_name' => 'Name des Kontoinhabers',
+ 'add_account' => 'Konto hinzufügen',
+ 'payment_methods' => 'Zahlungsarten',
+ 'complete_verification' => 'Überprüfung abschliessen',
+ 'verification_amount1' => 'Betrag 1',
+ 'verification_amount2' => 'Betrag 2',
+ 'payment_method_verified' => 'Überprüfung erfolgreich abgeschlossen',
+ 'verification_failed' => 'Überprüfung fehlgeschlagen',
+ 'remove_payment_method' => 'Zahlungsart entfernen',
+ 'confirm_remove_payment_method' => 'Wollen Sie diese Zahlungart wirklich entfernen?',
+ 'remove' => 'Entfernen',
+ 'payment_method_removed' => 'Zahlungsart entfernt.',
+ 'bank_account_verification_help' => 'Wir haben zwei Überweisungen auf Ihr Konto mit dem Verwendungszweck "VERIFICATION" getätigt. Diese Überweisungen werden 1-2 Werktage benötigen, bis sie auf Ihrem Kontoauszug zu sehen sind. Bitte geben Sie die Überweisungssummen unten ein.',
+ 'bank_account_verification_next_steps' => 'Wir haben zwei Überweisungen auf Ihr Konto mit dem Verwendungszweck "VERIFICATION" getätigt. Diese Überweisungen werden 1-2 Werktage benötigen, bis sie auf Ihrem Kontoauszug zu sehen sind.
+Sobald Sie die Beträge erhalten haben, kommen Sie bitte wieder zurück zu dieser Zahlungsmethoden-Seite und klicken Sie auf "Complete Verification" neben Ihrem Konto.',
+ 'unknown_bank' => 'Bank unbekannt',
+ 'ach_verification_delay_help' => 'Nach der Überprüfung können Sie das Konto sofort benutzen. Die Überprüfung dauert in der Regel 1-2 Arbeitstage.',
+ 'add_credit_card' => 'Kreditkarte hinzufügen',
+ 'payment_method_added' => 'Zahlungsart hinzugefügt.',
+ 'use_for_auto_bill' => 'Für Autobill verwenden',
+ 'used_for_auto_bill' => 'Autobill Zahlungsmethode',
+ 'payment_method_set_as_default' => 'Autobill Zahlungsmethode als Standard einstellen.',
+ 'activity_41' => ':payment_amount Zahlung (:payment) schlug fehl',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'Sie müssen :link',
+ 'stripe_webhook_help_link_text' => 'fügen Sie diese URL als Endpunkt zu Stripe hinzu',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'Es gab einen Fehler beim Hinzufügen Ihrer Zahlungsmethode. Bitte versuchen Sie es später erneut.',
+ 'notification_invoice_payment_failed_subject' => 'Zahlung für Rechnung :invoice fehlgeschlagen',
+ 'notification_invoice_payment_failed' => 'Eine Zahlung Ihres Kunden :client für die Rechnung :invoice schlug fehl. Die Zahlung wurde als Fehlgeschlagen markiert und :amount wurde dem Saldo Ihres Kunden hinzugefügt.',
+ 'link_with_plaid' => 'Konto sofort mit Plaid verknüpfen',
+ 'link_manually' => 'Manuell verbinden',
+ 'secured_by_plaid' => 'Gesichert durch Plaid',
+ 'plaid_linked_status' => 'Ihr Konto bei :bank',
+ 'add_payment_method' => 'Zahlungsart hinzufügen',
+ 'account_holder_type' => 'Art des Kontoinhabers',
+ 'ach_authorization' => 'Ich autorisiere :company mein Bankkonto für künftige Zahlungen zu nutzen und, falls nötig, elektronisch mein Konto zu belasten, um falsche Abbuchungen korrigieren zu können. Ich bestätige verstanden zu haben, dass ich diese Autorisierung jederzeit durch Entfernung dieser Zahlungsmethode oder durch Kontaktaufnahme mit :email zurücknehmen kann.',
+ 'ach_authorization_required' => 'Sie müssen den ACH-Transaktionen zustimmen.',
+ 'off' => 'Aus',
+ 'opt_in' => 'Anmelden',
+ 'opt_out' => 'Abmelden',
+ 'always' => 'Immer',
+ 'opted_out' => 'Abgemeldet',
+ 'opted_in' => 'Angemeldet',
+ 'manage_auto_bill' => 'Auto-bill managen',
+ 'enabled' => 'Aktiviert',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'PayPal Zahlungen mittels BrainTree aktivieren',
+ 'braintree_paypal_disabled_help' => 'Das PayPal Gateway bearbeitet PayPal-Zahlungen',
+ 'braintree_paypal_help' => 'Sie müssen auch :link',
+ 'braintree_paypal_help_link_text' => 'PayPal Konto mit BrainTree verknüpfen',
+ 'token_billing_braintree_paypal' => 'Zahlungsdetails speichern',
+ 'add_paypal_account' => 'PayPal Konto hinzufügen',
+
+
+ 'no_payment_method_specified' => 'Keine Zahlungsart angegeben',
+ 'chart_type' => 'Diagrammtyp',
+ 'format' => 'Format',
+ 'import_ofx' => 'OFX importieren',
+ 'ofx_file' => 'OFX Datei',
+ 'ofx_parse_failed' => 'Einlesen der OFX Datei fehlgeschlagen',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Mit WePay anmelden',
+ 'use_another_provider' => 'Anderen Anbieter verwenden',
+ 'company_name' => 'Firmenname',
+ 'wepay_company_name_help' => 'Das erscheint auf den Kontoauszügen des Kunden.',
+ 'wepay_description_help' => 'Zweck des Kontos.',
+ 'wepay_tos_agree' => 'Ich stimme den :link zu',
+ 'wepay_tos_link_text' => 'WePay Servicebedingungen',
+ 'resend_confirmation_email' => 'Bestätigungsemail nochmal senden',
+ 'manage_account' => 'Account managen',
+ 'action_required' => 'Handeln erforderlich',
+ 'finish_setup' => 'Setup abschliessen',
+ 'created_wepay_confirmation_required' => 'Bitte prüfen Sie Ihr E-Mail Konto und bestätigen Sie Ihre E-Mail Adresse bei WePay.',
+ 'switch_to_wepay' => 'Wechsel zu WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Zahlungsanbieter wiederherstellen',
+ 'restored_account_gateway' => 'Zahlungsanbieter erfolgreich wiederhergestellt',
+ 'united_states' => 'Vereinigte Staaten von Amerika',
+ 'canada' => 'Kanada',
+ 'accept_debit_cards' => 'Debitkarten aktzeptieren',
+ 'debit_cards' => 'Debitkarten',
+
+ 'warn_start_date_changed' => 'Die nächste Rechnung wird zum neuen Startdatum versendet.',
+ 'warn_start_date_changed_not_sent' => 'Die nächste Rechnung wird zum neuen Startdatum versendet.',
+ 'original_start_date' => 'Originales Startdatum',
+ 'new_start_date' => 'Neues Startdatum',
+ 'security' => 'Sicherheit',
+ 'see_whats_new' => 'Neu in v:version',
+ 'wait_for_upload' => 'Bitte warten Sie bis der Dokumentenupload abgeschlossen wurde.',
+ 'upgrade_for_permissions' => 'Führen Sie ein Upgrade auf unseren Enterprise-Plan durch um Zugriffsrechte zu aktivieren.',
+ 'enable_second_tax_rate' => 'Aktiviere Spezifizierung einer zweiten Steuerrate',
+ 'payment_file' => 'Zahlungsdatei',
+ 'expense_file' => 'Ausgabenakte',
+ 'product_file' => 'Produktdatei',
+ 'import_products' => 'Produkte importieren',
+ 'products_will_create' => 'Produkte werden erstellt werden',
+ 'product_key' => 'Produkt',
+ 'created_products' => ':count Produkt(e) erfolgreich erstellt bzw. aktualisiert',
+ 'export_help' => 'Nutzen Sie JSON wenn Sie die Daten in Invoice Ninja importieren wollen.
Die Datei beinhaltet Kunden, Produkte, Rechnungen, Angebote und Zahlungen.',
+ 'selfhost_export_help' => 'Wir empfehlen die Verwendung von mysqldump zur Herstellung einer vollständigen Sicherheitskopie.',
+ 'JSON_file' => 'JSON Datei',
+
+ 'view_dashboard' => 'Übersicht anzeigen',
+ 'client_session_expired' => 'Sitzung abgelaufen',
+ 'client_session_expired_message' => 'Ihre Sitzung ist abgelaufen. Bitte klicken Sie erneut auf den Link in Ihrer E-Mail.',
+
+ 'auto_bill_notification' => 'Der Rechnungsbetrag dieser Rechnung wird automatisch am :due_date per :payment_method abgebucht.',
+ 'auto_bill_payment_method_bank_transfer' => 'Bankkonto',
+ 'auto_bill_payment_method_credit_card' => 'Kreditkarte',
+ 'auto_bill_payment_method_paypal' => 'PayPal Konto',
+ 'auto_bill_notification_placeholder' => 'Der Rechnungsbetrag dieser Rechnung wird automatisch am Fälligkeitsdatum von Ihrer Kreditkarte abgebucht.',
+ 'payment_settings' => 'Zahlungseinstellungen',
+
+ 'on_send_date' => 'Am Rechnungsdatum',
+ 'on_due_date' => 'Am Fälligkeitsdatum',
+ 'auto_bill_ach_date_help' => 'Am Tag der Fälligkeit wird ACH immer automatisch verrechnet.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bankkonto',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'Ich stimme den WePay :terms und :privacy_policy zu',
+ 'privacy_policy' => 'Datenschutzerklärung',
+ 'wepay_payment_tos_agree_required' => 'Sie müssen den WePay AGB und Datenschutzbestimmungen zustimmen.',
+ 'ach_email_prompt' => 'Bitte geben Sie eine gültige E-Mail-Adresse ein:',
+ 'verification_pending' => 'Überprüfung ausstehend',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'Weitere Optionen',
+ 'credit_card' => 'Kreditkarte',
+ 'bank_transfer' => 'Überweisung',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'Der Rechnungsbetrag dieser Rechnung wird automatisch am Fälligkeitsdatum per gewählter Zahlungsmethode abgebucht.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Datum :date hinzugefügt',
+ 'failed_remove_payment_method' => 'Zahlungsart entfernen fehlgeschlagen',
+ 'gateway_exists' => 'Dieser Zahlungsanbieter wurde bereits angelegt',
+ 'manual_entry' => 'Manuell hinzufügen',
+ 'start_of_week' => 'Erster Tag der Woche',
+
+ // Frequencies
+ 'freq_inactive' => 'Inaktiv',
+ 'freq_daily' => 'Täglich',
+ 'freq_weekly' => 'Wöchentlich',
+ 'freq_biweekly' => 'Zweiwöchentlich',
+ 'freq_two_weeks' => 'Zweiwöchentlich',
+ 'freq_four_weeks' => 'Vierwöchentlich',
+ 'freq_monthly' => 'Monatlich',
+ 'freq_three_months' => 'Dreimonatlich',
+ 'freq_four_months' => 'Vier Monate',
+ 'freq_six_months' => 'Halbjährlich',
+ 'freq_annually' => 'Jährlich',
+ 'freq_two_years' => 'zwei Jahre',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Guthaben anwenden',
+ 'payment_type_Bank Transfer' => 'Überweisung',
+ 'payment_type_Cash' => 'Bar',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa-Karte',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Kreditkarte (andere)',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Scheck',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'SOFORT-Überweisung',
+ 'payment_type_SEPA' => 'SEPA-Lastschriftverfahren',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Buchhaltung und Rechnungswesen',
+ 'industry_Advertising' => 'Werbung',
+ 'industry_Aerospace' => 'Luft- und Raumfahrt',
+ 'industry_Agriculture' => 'Land- und Forstwirtschaft',
+ 'industry_Automotive' => 'Automobilbau',
+ 'industry_Banking & Finance' => 'Bank- und Finanzwesen',
+ 'industry_Biotechnology' => 'Biotechnologie',
+ 'industry_Broadcasting' => 'Rundfunk',
+ 'industry_Business Services' => 'Business Dienstleistungen',
+ 'industry_Commodities & Chemicals' => 'Rohstoffe und Chemikalien',
+ 'industry_Communications' => 'Nachrichten und Kommunikation',
+ 'industry_Computers & Hightech' => 'Computer & Hightech',
+ 'industry_Defense' => 'Verteidung',
+ 'industry_Energy' => 'Energie',
+ 'industry_Entertainment' => 'Unterhaltungsindustrie',
+ 'industry_Government' => 'Kommunal- und Staatsverwaltung',
+ 'industry_Healthcare & Life Sciences' => 'Gesundheitswesen',
+ 'industry_Insurance' => 'Versicherungswesen',
+ 'industry_Manufacturing' => 'Produzierendes Gewerbe',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Medien',
+ 'industry_Nonprofit & Higher Ed' => 'Gemeinnützige Unternehmen',
+ 'industry_Pharmaceuticals' => 'Arzneimittel',
+ 'industry_Professional Services & Consulting' => 'Professionelle Dienstleistungen und Beratung',
+ 'industry_Real Estate' => 'Immobilien',
+ 'industry_Restaurant & Catering' => 'Gastronomie',
+ 'industry_Retail & Wholesale' => 'Einzel- und Grosshandel',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Verkehrswesen',
+ 'industry_Travel & Luxury' => 'Reisen und Luxus',
+ 'industry_Other' => 'Andere',
+ 'industry_Photography' => 'Fotografie',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albanien',
+ 'country_Antarctica' => 'Antarktis',
+ 'country_Algeria' => 'Algerien',
+ 'country_American Samoa' => 'Amerikanisch-Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua und Barbuda',
+ 'country_Azerbaijan' => 'Aserbaidschan',
+ 'country_Argentina' => 'Argentinien',
+ 'country_Australia' => 'Australien',
+ 'country_Austria' => 'Österreich',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesch',
+ 'country_Armenia' => 'Armenien',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgien',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivien',
+ 'country_Bosnia and Herzegovina' => 'Bosnien und Herzigowina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brasilien',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'Britisches Territorium im Indischen Ozean',
+ 'country_Solomon Islands' => 'Salomonen',
+ 'country_Virgin Islands, British' => 'Britische Jungferninseln',
+ 'country_Brunei Darussalam' => 'Brunei',
+ 'country_Bulgaria' => 'Bulgarien',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Weissrussland',
+ 'country_Cambodia' => 'Kambodscha',
+ 'country_Cameroon' => 'Kamerun',
+ 'country_Canada' => 'Kanada',
+ 'country_Cape Verde' => 'Kap Verde',
+ 'country_Cayman Islands' => 'Kaimaninseln',
+ 'country_Central African Republic' => 'Zentralafrikanische Republik',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Tschad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan',
+ 'country_Christmas Island' => 'Weihnachtsinsel',
+ 'country_Cocos (Keeling) Islands' => 'Kokosinseln',
+ 'country_Colombia' => 'Kulumbien',
+ 'country_Comoros' => 'Komoren',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Kongo',
+ 'country_Congo, the Democratic Republic of the' => 'Kongo, Demokratische Republik',
+ 'country_Cook Islands' => 'Cook Inseln',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Kroatien',
+ 'country_Cuba' => 'Kuba',
+ 'country_Cyprus' => 'Zypern',
+ 'country_Czech Republic' => 'Tschechische Republik',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Dänemark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominikanische Republik',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Äquatorialguinea',
+ 'country_Ethiopia' => 'Äthiopien',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estland',
+ 'country_Faroe Islands' => 'Färöer-Inseln',
+ 'country_Falkland Islands (Malvinas)' => 'Falklandinseln',
+ 'country_South Georgia and the South Sandwich Islands' => 'Südgeorgien und die Südlichen Sandwichinseln',
+ 'country_Fiji' => 'Fidschi',
+ 'country_Finland' => 'Finnland',
+ 'country_Åland Islands' => 'Åland',
+ 'country_France' => 'Frankreich',
+ 'country_French Guiana' => 'Französisch-Guayana',
+ 'country_French Polynesia' => 'Französisch-Polynesien',
+ 'country_French Southern Territories' => 'Französische Süd- und Antarktisgebiete',
+ 'country_Djibouti' => 'Dschibuti',
+ 'country_Gabon' => 'Gabun',
+ 'country_Georgia' => 'Georgien',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palästinensische Autonomiegebiete',
+ 'country_Germany' => 'Deutschland',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Griechenland',
+ 'country_Greenland' => 'Grönland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ 'country_Guam' => 'Guam',
+ 'country_Guatemala' => 'Guatemala',
+ 'country_Guinea' => 'Guinea',
+ 'country_Guyana' => 'Guyana',
+ 'country_Haiti' => 'Haiti',
+ 'country_Heard Island and McDonald Islands' => 'Heard und McDonaldinseln',
+ 'country_Holy See (Vatican City State)' => 'Vatikanstadt',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hongkong',
+ 'country_Hungary' => 'Ungarn',
+ 'country_Iceland' => 'Island',
+ 'country_India' => 'Indien',
+ 'country_Indonesia' => 'Indonesien',
+ 'country_Iran, Islamic Republic of' => 'Iran',
+ 'country_Iraq' => 'Irak',
+ 'country_Ireland' => 'Irland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italien',
+ 'country_Côte d\'Ivoire' => 'Elfenbeinküste',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kasachstan',
+ 'country_Jordan' => 'Jordanien',
+ 'country_Kenya' => 'Kenia',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kirgisistan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Libanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Lettland',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Lybien',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Litauen',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Malediven',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauretanien',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexiko',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolei',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Marokko',
+ 'country_Mozambique' => 'Mosambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Niederlande',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'Neuseeland',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolkinsel',
+ 'country_Norway' => 'Norwegen',
+ 'country_Northern Mariana Islands' => 'Nördliche Marianen',
+ 'country_United States Minor Outlying Islands' => 'United States Minor Outlying Islands',
+ 'country_Micronesia, Federated States of' => 'Micronesia, Federated States of',
+ 'country_Marshall Islands' => 'Marshallinseln',
+ 'country_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua-Neuguinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippienen',
+ 'country_Pitcairn' => 'Pitcairninseln',
+ 'country_Poland' => 'Polen',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Osttimor',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Katar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Rumänien',
+ 'country_Russian Federation' => 'Russland',
+ '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' => 'St. Kitts und 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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi-Arabien',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbien',
+ 'country_Seychelles' => 'Seychellen',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapur',
+ 'country_Slovakia' => 'Slowakei',
+ 'country_Viet Nam' => 'Vietnam',
+ 'country_Slovenia' => 'Slovenien',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'Südafrika',
+ 'country_Zimbabwe' => 'Simbabwe',
+ 'country_Spain' => 'Spanien',
+ 'country_South Sudan' => 'Südsudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Schweden',
+ 'country_Switzerland' => 'Schweiz',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tadschikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad und Tobago',
+ 'country_United Arab Emirates' => 'Vereinigte Arabische Emirate',
+ 'country_Tunisia' => 'Tunesien',
+ 'country_Turkey' => 'Türkei',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks- und Caicosinseln',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Mazedonien',
+ 'country_Egypt' => 'Ägypten',
+ 'country_United Kingdom' => 'Vereinigtes Königreich',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'Vereinigte Staaten von Amerika',
+ 'country_Virgin Islands, U.S.' => 'Jungferninseln',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Usbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela',
+ 'country_Wallis and Futuna' => 'Wallis und Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Jemen',
+ 'country_Zambia' => 'Sambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brasilianisches Portugiesisch',
+ 'lang_Croatian' => 'Kroatisch',
+ 'lang_Czech' => 'Tschechisch',
+ 'lang_Danish' => 'Dänisch',
+ 'lang_Dutch' => 'Niederländisch',
+ 'lang_English' => 'Englisch',
+ 'lang_French' => 'Französisch',
+ 'lang_French - Canada' => 'Französisch - Kanada',
+ 'lang_German' => 'Deutsch',
+ 'lang_Italian' => 'Italienisch',
+ 'lang_Japanese' => 'Japanisch',
+ 'lang_Lithuanian' => 'Litauisch',
+ 'lang_Norwegian' => 'Norwegisch',
+ 'lang_Polish' => 'Polnisch',
+ 'lang_Spanish' => 'Spanisch',
+ 'lang_Spanish - Spain' => 'Spanisch - Spanien',
+ 'lang_Swedish' => 'Schwedisch',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Griechisch',
+ 'lang_English - United Kingdom' => 'Englisch (UK)',
+ 'lang_Slovenian' => 'Slowenisch',
+ 'lang_Finnish' => 'Finnisch',
+ 'lang_Romanian' => 'Romänisch',
+ 'lang_Turkish - Turkey' => 'Türkisch',
+ 'lang_Portuguese - Brazilian' => 'Portugiesisch - Brasilien',
+ 'lang_Portuguese - Portugal' => 'Portugiesisch - Portugal',
+ 'lang_Thai' => 'Thailändisch',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Buchhaltung und Rechnungswesen',
+ 'industry_Advertising' => 'Werbung',
+ 'industry_Aerospace' => 'Luft- und Raumfahrt',
+ 'industry_Agriculture' => 'Land- und Forstwirtschaft',
+ 'industry_Automotive' => 'Automobilbau',
+ 'industry_Banking & Finance' => 'Bank- und Finanzwesen',
+ 'industry_Biotechnology' => 'Biotechnologie',
+ 'industry_Broadcasting' => 'Rundfunk',
+ 'industry_Business Services' => 'Business Dienstleistungen',
+ 'industry_Commodities & Chemicals' => 'Rohstoffe und Chemikalien',
+ 'industry_Communications' => 'Nachrichten und Kommunikation',
+ 'industry_Computers & Hightech' => 'Computer & Hightech',
+ 'industry_Defense' => 'Verteidung',
+ 'industry_Energy' => 'Energie',
+ 'industry_Entertainment' => 'Unterhaltungsindustrie',
+ 'industry_Government' => 'Kommunal- und Staatsverwaltung',
+ 'industry_Healthcare & Life Sciences' => 'Gesundheitswesen',
+ 'industry_Insurance' => 'Versicherungswesen',
+ 'industry_Manufacturing' => 'Produzierendes Gewerbe',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Medien',
+ 'industry_Nonprofit & Higher Ed' => 'Gemeinnützige Unternehmen',
+ 'industry_Pharmaceuticals' => 'Arzneimittel',
+ 'industry_Professional Services & Consulting' => 'Professionelle Dienstleistungen und Beratung',
+ 'industry_Real Estate' => 'Immobilien',
+ 'industry_Retail & Wholesale' => 'Einzel- und Grosshandel',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Verkehrswesen',
+ 'industry_Travel & Luxury' => 'Reisen und Luxus',
+ 'industry_Other' => 'Andere',
+ 'industry_Photography' =>'Fotografie',
+
+ 'view_client_portal' => 'Kundenportal anzeigen',
+ 'view_portal' => 'Portal anzeigen',
+ 'vendor_contacts' => 'Lieferantenkontakte',
+ 'all' => 'Alle',
+ 'selected' => 'Gewählte',
+ 'category' => 'Kategorie',
+ 'categories' => 'Kategorien',
+ 'new_expense_category' => 'Neue Ausgabenkategorie',
+ 'edit_category' => 'Bearbeite Ausgabenkategorie',
+ 'archive_expense_category' => 'Archiviere Kategorie',
+ 'expense_categories' => 'Ausgabenkategorien',
+ 'list_expense_categories' => 'Ausgabenkategorien anzeigen',
+ 'updated_expense_category' => 'Ausgabenkategorie erfolgreich aktualisiert',
+ 'created_expense_category' => 'Ausgabenkategorie erfolgreich erstellt',
+ 'archived_expense_category' => 'Ausgabenkategorie erfolgreich archiviert',
+ 'archived_expense_categories' => ':count Ausgabenkategorien erfolgreich archiviert',
+ 'restore_expense_category' => 'Ausgabenkategorie wiederherstellen',
+ 'restored_expense_category' => 'Ausgabenkategorie erfolgreich wiederhergestellt',
+ 'apply_taxes' => 'Steuern anwenden',
+ 'min_to_max_users' => ':min bis :max Nutzer',
+ 'max_users_reached' => 'Die Höchstanzahl an Nutzern wurde erreicht.',
+ 'buy_now_buttons' => '"Kaufe jetzt"-Buttons',
+ 'landing_page' => 'Landeseite',
+ 'payment_type' => 'Zahlungsart',
+ 'form' => 'Formular',
+ 'link' => 'Link',
+ 'fields' => 'Felder',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Anmerkung: Kunden- und Rechnungsaufzeichnungen werden auch dann erstellt, wenn die Transaktion nicht abgeschlossen wurde.',
+ 'buy_now_buttons_disabled' => 'Diese Funktion setzt voraus, dass ein Produkt erstellt und ein Zahlungs-Gateway konfiguriert wurde.',
+ 'enable_buy_now_buttons_help' => 'Aktiviere Unterstützung für "Kaufe jetzt"-Buttons',
+ 'changes_take_effect_immediately' => 'Anmerkung: Änderungen treten sofort in Kraft',
+ 'wepay_account_description' => 'Zahlungsanbieter für Invoice Ninja',
+ 'payment_error_code' => 'Bei der Bearbeitung Ihrer Zahlung [:code] gab es einen Fehler. Bitte versuchen Sie es später erneut.',
+ 'standard_fees_apply' => 'Standardgebühren werden erhoben: 2,9% + 0,25€ pro erfolgreicher Belastung bei nicht-europäischen Kreditkarten und 1,4% + 0,25€ bei europäischen Kreditkarten.',
+ 'limit_import_rows' => 'Daten müssen in Stapeln von :count Zeilen oder weniger importiert werden',
+ 'error_title' => 'Etwas lief falsch',
+ 'error_contact_text' => 'Wenn Sie Hilfe benötigen, schreiben Sie uns bitte eine E-Mail an :mailaddress',
+ 'no_undo' => 'Warnung: Dies kann nicht rückgängig gemacht werden.',
+ 'no_contact_selected' => 'Bitte wählen Sie einen Kontakt',
+ 'no_client_selected' => 'Bitte wählen Sie einen Kunden',
+
+ 'gateway_config_error' => 'Es kann helfen neue Passwörter zu setzen oder neue API-Schlüssel zu erzeugen.',
+ 'payment_type_on_file' => 'Gespeichert/e :type',
+ 'invoice_for_client' => 'Rechnung :invoice für :client',
+ 'intent_not_found' => 'Es tut mir Leid, ich verstehe nicht worum Sie bitten.',
+ 'intent_not_supported' => 'Es tut mir Leid, dazu bin ich nicht imstande.',
+ 'client_not_found' => 'Ich konnte den Kunden nicht finden',
+ 'not_allowed' => 'Es tut mir Leid, Sie haben nicht die nötigen Berechtigungen',
+ 'bot_emailed_invoice' => 'Ihre Rechnung wurde verschickt.',
+ 'bot_emailed_notify_viewed' => 'Ich schicke Ihnen nach Ansicht eine E-Mail.',
+ 'bot_emailed_notify_paid' => 'Ich schicke Ihnen nach der Zahlung eine E-Mail.',
+ 'add_product_to_invoice' => 'Füge 1 :product hinzu',
+ 'not_authorized' => 'Du bist nicht autorisiert',
+ '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_code' => 'Danke! Ich habe dir eine E-Mail mit deinem Sicherheitscode geschickt.',
+ 'bot_welcome' => 'Das war es schon, dein Account ist verifiziert.
',
+ 'email_not_found' => 'Ich konnte keinen verfügbaren Account für :email finden',
+ 'invalid_code' => 'Der Code ist nicht korrekt',
+ 'security_code_email_subject' => 'Sicherheitscode für Invoice Ninja Bot',
+ 'security_code_email_line1' => 'Dies ist Ihr Invoice Ninja Bot Sicherheitscode.',
+ 'security_code_email_line2' => 'Anmerkung: Er wird in 10 Minuten ablaufen.',
+ 'bot_help_message' => 'Ich unterstütze derzeit:
• Erstellung\Aktualisierung\E-Mail-Versand von Rechnungen
• Auflistung von Produkten
Zum Beispiel:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'Produkte anzeigen',
+
+ 'include_item_taxes_inline' => 'Steuern für Belegpositionen in der Summe anzeigen',
+ 'created_quotes' => 'Erfolgreich :count Angebot(e) erstellt',
+ 'limited_gateways' => 'Anmerkung: Wir unterstützen ein Kreditkarten-Gateway pro Unternehmen.',
+
+ 'warning' => 'Warnung',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Vor dem Update von Invoice Ninja sollte ein Backup der Datenbank und der Dateien erstellt werden!',
+ 'update_invoiceninja_available' => 'Eine neue Version von Invoice Ninja ist verfügbar.',
+ 'update_invoiceninja_unavailable' => 'Keine neue Version von Invoice Ninja verfügbar.',
+ 'update_invoiceninja_instructions' => 'Bitte benutze den Update durchführen-Button, um die neue Version :version zu installieren. Du wirst danach zum Dashboard weitergeleitet.',
+ 'update_invoiceninja_update_start' => 'Update durchführen',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Neu...',
+
+ 'toggle_navigation' => 'Navigation umschalten',
+ 'toggle_history' => 'History umschalten',
+ 'unassigned' => 'Nicht zugewiesen',
+ 'task' => 'Aufgabe',
+ 'contact_name' => 'Name des Kontakts',
+ 'city_state_postal' => 'Stadt / Bundesland / PLZ',
+ 'custom_field' => 'Benutzerdefinierte Felder',
+ 'account_fields' => 'Unternehmensfelder',
+ 'facebook_and_twitter' => 'Facebook und Twitter',
+ 'facebook_and_twitter_help' => 'Folge unseren Feeds um unser Projekt zu unterstützen',
+ 'reseller_text' => 'Anmerkung: die "White-Label"-Lizenz ist für Ihre persönliche Nutzung gedacht. Bitte schicken Sie uns eine E-Mail an :email wenn Sie unsere App weiterverkaufen wollen.',
+ 'unnamed_client' => 'Unbenannter Kunde',
+
+ 'day' => 'Tag',
+ 'week' => 'Woche',
+ 'month' => 'Monat',
+ 'inactive_logout' => 'Sie wurden aufgrund von Inaktivität ausgeloggt',
+ 'reports' => 'Berichte',
+ 'total_profit' => 'Gesamtprofit',
+ 'total_expenses' => 'Gesamtausgaben',
+ 'quote_to' => 'Angebot an',
+
+ // Limits
+ 'limit' => 'Grenzwerte',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'Keine Grenzwerte',
+ 'set_limits' => 'Setze :gateway_type Grenzwerte',
+ 'enable_min' => 'Min aktivieren',
+ 'enable_max' => 'Max aktivieren',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'Diese Rechnung entspricht nicht den Grenzwerten für diese Zahlungsart.',
+
+ 'date_range' => 'Datumsbereich',
+ 'raw' => 'Rohdaten',
+ 'raw_html' => 'Unverarbeiteter HTML-Code',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Felder verschieben, um ihre Reihenfolge und Position zu ändern',
+ 'new_category' => 'Neue Kategorie',
+ 'restore_product' => 'Produkt wiederherstellen',
+ 'blank' => 'Leer',
+ 'invoice_save_error' => 'Die Rechnung konnte nicht gespeichert werden',
+ 'enable_recurring' => 'Wiederkehrend Aktivieren',
+ 'disable_recurring' => 'Wiederkehrend Deaktivieren',
+ 'text' => 'Text',
+ 'expense_will_create' => 'Ausgabe wird erstellt werden',
+ 'expenses_will_create' => 'Ausgaben werden erstellt werden',
+ 'created_expenses' => ':count Ausgabe(n) erfolgreich erstellt',
+
+ 'translate_app' => 'Hilf uns unsere Übersetzungen mit :link zu verbessern',
+ 'expense_category' => 'Ausgabenkategorie',
+
+ 'go_ninja_pro' => 'Jetzt Ninja Pro werden!',
+ 'go_enterprise' => 'Enterprise Version bestellen!',
+ 'upgrade_for_features' => 'Upgraden Sie um mehr Funktionen zu erhalten',
+ 'pay_annually_discount' => 'Bezahlen Sie jährlich für 10 Monate und erhalten Sie 2 gratis!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'IhreMarke.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Passen Sie alle Aspekte Ihrer Rechnung an!',
+ 'enterprise_upgrade_feature1' => 'Setzen Sie Berechtigungen für mehrere Nutzer',
+ 'enterprise_upgrade_feature2' => 'Hängen Sie Dateien Dritter an Rechnungen und Ausgaben',
+ 'much_more' => 'Vieles Mehr!',
+ 'all_pro_fetaures' => 'Zusätzlich alle Pro Funktionen!',
+
+ 'currency_symbol' => 'Währungssymbol',
+ 'currency_code' => 'Währungssymbol',
+
+ 'buy_license' => 'Lizenz kaufen',
+ 'apply_license' => 'Lizenz anwenden',
+ 'submit' => 'Abschicken',
+ 'white_label_license_key' => 'Lizenzschlüssel',
+ 'invalid_white_label_license' => 'Die "White-Label"-Lizenz ist nicht gültig',
+ 'created_by' => 'Erstellt von :name',
+ 'modules' => 'Module',
+ 'financial_year_start' => 'Erster Monat des Jahres',
+ 'authentication' => 'Authentifizierung',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Unterschrift',
+ 'show_accept_invoice_terms' => 'Checkbox für Rechnungsbedingungen',
+ 'show_accept_invoice_terms_help' => 'Erfordern Sie die Bestätigung der Rechnungsbedingungen durch den Kunden.',
+ 'show_accept_quote_terms' => 'Checkbox für Angebotsbedingungen',
+ 'show_accept_quote_terms_help' => 'Erfordern Sie die Bestätigung der Angebotsbedingungen durch den Kunden.',
+ 'require_invoice_signature' => 'Rechnungsunterschrift',
+ 'require_invoice_signature_help' => 'Erfordern Sie die Unterschrift des Kunden bei Rechnungen.',
+ 'require_quote_signature' => 'Angebotsunterschrift',
+ 'require_quote_signature_help' => 'Erfordern Sie die Unterschrift des Kunden bei Angeboten.',
+ 'i_agree' => 'Ich stimme den Bedingungen zu',
+ 'sign_here' => 'Bitte unterschreiben Sie hier:',
+ 'authorization' => 'Genehmigung',
+ 'signed' => 'unterzeichnet',
+
+ // BlueVine
+ 'bluevine_promo' => 'Factoring und Bonitätsauskünfte von BlueVine bestellen.',
+ 'bluevine_modal_label' => 'Anmelden mit BlueVine',
+ 'bluevine_modal_text' => 'Schnelle Finanzierung ohne Papierkram.
+- Flexible Bonitätsprüfung und Factoring.
',
+ 'bluevine_create_account' => 'Konto erstellen',
+ 'quote_types' => 'Angebot erhalten für',
+ 'invoice_factoring' => 'Factoring',
+ 'line_of_credit' => 'Bonitätsprüfung',
+ 'fico_score' => 'Ihre FICO Bewertung',
+ 'business_inception' => 'Gründungsdatum',
+ 'average_bank_balance' => 'durchschnittlicher Kontostand',
+ 'annual_revenue' => 'Jahresertrag',
+ 'desired_credit_limit_factoring' => 'Gewünschtes Factoring Limit',
+ 'desired_credit_limit_loc' => 'gewünschter Kreditrahmen',
+ 'desired_credit_limit' => 'gewünschtes Kreditlimit',
+ 'bluevine_credit_line_type_required' => 'Sie müssen mindestens eine auswählen',
+ 'bluevine_field_required' => 'Dies ist ein Pflichtfeld',
+ 'bluevine_unexpected_error' => 'Ein unerwarteter Fehler ist aufgetreten.',
+ 'bluevine_no_conditional_offer' => 'Mehr Information ist vonnöten um ein Angebot erstellen zu können. Bitte klicken Sie unten auf Weiter.',
+ 'bluevine_invoice_factoring' => 'Factoring',
+ 'bluevine_conditional_offer' => 'Freibleibendes Angebot',
+ 'bluevine_credit_line_amount' => 'Kreditline',
+ 'bluevine_advance_rate' => 'Finanzierungsanteil',
+ 'bluevine_weekly_discount_rate' => 'Wöchentlicher Rabatt',
+ 'bluevine_minimum_fee_rate' => 'Minimale Gebühr',
+ 'bluevine_line_of_credit' => 'Kreditline',
+ 'bluevine_interest_rate' => 'Zinssatz',
+ 'bluevine_weekly_draw_rate' => 'Wöchtentliche Rückzahlungsquote',
+ 'bluevine_continue' => 'Weiter zu BlueVine',
+ 'bluevine_completed' => 'BlueVine Anmeldung abgeschlossen',
+
+ 'vendor_name' => 'Lieferant',
+ 'entity_state' => 'Status',
+ 'client_created_at' => 'Erstellungsdatum',
+ 'postmark_error' => 'Beim Senden der E-Mail durch Postmark ist ein Problem aufgetreten: :link',
+ 'project' => 'Projekt',
+ 'projects' => 'Projekte',
+ 'new_project' => 'neues Projekt',
+ 'edit_project' => 'Projekt bearbeiten',
+ 'archive_project' => 'Projekt archivieren',
+ 'list_projects' => 'Projekte anzeigen',
+ 'updated_project' => 'Projekt erfolgreich aktualisiert',
+ 'created_project' => 'Projekt erfolgreich erstellt',
+ 'archived_project' => 'Projekt erfolgreich archiviert',
+ 'archived_projects' => 'Erfolgreich :count Projekte archiviert',
+ 'restore_project' => 'Projekt wiederherstellen',
+ 'restored_project' => 'Projekt erfolgreich wiederhergestellt',
+ 'delete_project' => 'Projekt löschen',
+ 'deleted_project' => 'Projekt erfolgreich gelöscht',
+ 'deleted_projects' => 'Erfolgreich :count Projekte gelöscht',
+ 'delete_expense_category' => 'Kategorie löschen',
+ 'deleted_expense_category' => 'Kategorie erfolgreich gelöscht',
+ 'delete_product' => 'Produkt löschen',
+ 'deleted_product' => 'Produkt erfolgreich gelöscht',
+ 'deleted_products' => 'Erfolgreich :count Produkte gelöscht',
+ 'restored_product' => 'Produkt erfolgreich wiederhergestellt',
+ 'update_credit' => 'Saldo aktualisieren',
+ 'updated_credit' => 'Saldo erfolgreich aktualisiert',
+ 'edit_credit' => 'Saldo bearbeiten',
+ 'live_preview_help' => 'Zeige Live-Vorschau der PDF-Datei auf der Rechnungsseite.
Schalte dies ab, falls es zu Leistungsproblemen während der Rechnungsbearbeitung führt.',
+ 'force_pdfjs_help' => 'Ersetze den eingebauten PDF-Viewer in :chrome_link und :firefox_link.
Aktiviere dies, wenn dein Browser die PDFs automatisch herunterlädt.',
+ 'force_pdfjs' => 'Verhindere Download',
+ 'redirect_url' => 'Umleitungs-URL',
+ 'redirect_url_help' => 'Gebe optional eine URL an, zu der umgeleitet werden soll, wenn eine Zahlung getätigt wurde.',
+ 'save_draft' => 'Speichere Entwurf',
+ 'refunded_credit_payment' => 'Ausgleichszahlung',
+ 'keyboard_shortcuts' => 'Tastatur-Schnellzugriffe',
+ 'toggle_menu' => 'Menü umschalten',
+ 'new_...' => 'Neu(e) ...',
+ 'list_...' => 'Liste',
+ 'created_at' => 'Erstellt am',
+ 'contact_us' => 'Kontaktieren Sie uns',
+ 'user_guide' => 'Nutzer-Anleitung',
+ 'promo_message' => 'Lizenz erneuern bevor :expires, erhalten Sie :amount% Rabatt auf das erste Jahr unserer Pro oder Enterprise-Pakete.',
+ 'discount_message' => ':amount Rabatt läuft ab :expires',
+ 'mark_paid' => 'Als bezahlt markieren',
+ 'marked_sent_invoice' => 'Rechnung erfolgreich als versendet markiert',
+ 'marked_sent_invoices' => 'Rechnungen erfolgreich als versendet markiert',
+ 'invoice_name' => 'Rechnung',
+ 'product_will_create' => 'Produkt wird erstellt werden',
+ 'contact_us_response' => 'Wir haben Ihre Nachricht erhalten! Wir antworten sobald wie möglich',
+ 'last_7_days' => 'Letzte 7 Tage',
+ 'last_30_days' => 'Letzte 30 Tage',
+ 'this_month' => 'Dieser Monat',
+ 'last_month' => 'Letzter Monat',
+ 'last_year' => 'Letztes Jahr',
+ 'custom_range' => 'Benutzerdefinierter Bereich',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Benötigt',
+ 'license_expiring' => 'Anmerkung: Ihre Lizenz läuftin :count Tagen ab, :link um sie zu erneuern.',
+ 'security_confirmation' => 'Deine E-Mail Adresse wurde bestätigt.',
+ 'white_label_expired' => 'Deine White Label Lizenz ist ausgelaufen, bitte denke darüber nach diese zu verlängern um unser Projekt zu unterstützen.',
+ 'renew_license' => 'Verlängere die Lizenz',
+ 'iphone_app_message' => 'Berücksichtigen Sie unser :link herunterzuladen',
+ 'iphone_app' => 'iPhone-App',
+ 'android_app' => 'Android App',
+ 'logged_in' => 'Eingeloggt',
+ 'switch_to_primary' => 'Wechseln Sie zu Ihrem Primärunternehmen (:name), um Ihren Plan zu managen.',
+ 'inclusive' => 'Inklusive',
+ 'exclusive' => 'Exklusive',
+ 'postal_city_state' => 'Plz/Stadt/Staat',
+ 'phantomjs_help' => 'In bestimmten Fällen nutzt diese App :link_phantom um PDFs zu erzeugen. Installieren Sie :link_docs, um diese lokal zu erzeugen.',
+ 'phantomjs_local' => 'Benutze lokale PhantomJS Instanz',
+ 'client_number' => 'Kundennummer',
+ 'client_number_help' => 'Geben Sie einen Präfix oder ein benutzerdefiniertes Schema an, um die Kundennummer dynamisch zu erzeugen.',
+ 'next_client_number' => 'Die nächste Kundennummer ist :number.',
+ 'generated_numbers' => 'Generierte Zahlen',
+ 'notes_reminder1' => 'erste Erinnerung',
+ 'notes_reminder2' => 'zweite Erinnerung',
+ 'notes_reminder3' => 'dritte Erinnerung',
+ 'bcc_email' => 'BCC E-Mail',
+ 'tax_quote' => 'Steuerquote',
+ 'tax_invoice' => 'Steuerrechnung',
+ 'emailed_invoices' => 'Rechnungen erfolgreich versendet',
+ 'emailed_quotes' => 'Angebote erfolgreich versendet',
+ 'website_url' => 'Webadresse',
+ 'domain' => 'Domäne',
+ 'domain_help' => 'Wird im Kunden-Portal und beim Versenden von E-Mails verwendet.',
+ 'domain_help_website' => 'Wird beim Versenden von E-Mails verwendet.',
+ 'preview' => 'Vorschau',
+ 'import_invoices' => 'Rechnungen importieren',
+ 'new_report' => 'Neuer Bericht',
+ 'edit_report' => 'Bericht bearbeiten',
+ 'columns' => 'Spalten',
+ 'filters' => 'Filter',
+ 'sort_by' => 'Sortiere nach',
+ 'draft' => 'Entwurf',
+ 'unpaid' => 'Unbezahlt',
+ 'aging' => 'Versendet',
+ 'age' => 'Alter',
+ 'days' => 'Tage',
+ 'age_group_0' => '0 - 30 Tage',
+ 'age_group_30' => '30 - 60 Tage',
+ 'age_group_60' => '60 - 90 Tage',
+ 'age_group_90' => '90 - 120 Tage',
+ 'age_group_120' => '120+ Tage',
+ 'invoice_details' => 'Rechnungsdetails',
+ 'qty' => 'Menge',
+ 'profit_and_loss' => 'Gewinn und Verlust',
+ 'revenue' => 'Einnahmen',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Gruppensortierung',
+ 'group_dates_by' => 'Gruppiere Daten nach',
+ 'year' => 'Jahr',
+ 'view_statement' => 'Zeige Bericht',
+ 'statement' => 'Bericht',
+ 'statement_date' => 'Bericht Datum',
+ 'mark_active' => 'Markiere aktiv',
+ 'send_automatically' => 'Automatisch senden',
+ 'initial_email' => 'Initiale E-Mail',
+ 'invoice_not_emailed' => 'Diese Rechnung wurde nicht per E-Mail verschickt.',
+ 'quote_not_emailed' => 'Dieses Angebot wurde nicht per E-Mail verschickt.',
+ 'sent_by' => 'Gesendet von :user',
+ 'recipients' => 'Empfänger',
+ 'save_as_default' => 'Als Standard speichern',
+ 'template' => 'Vorlage',
+ 'start_of_week_help' => 'Verwendet von Datumsselektoren',
+ 'financial_year_start_help' => 'Verwendet von Datum-Bereichsselektoren',
+ 'reports_help' => 'Shift + Click to sort by multiple columns, Ctrl + Click to clear the grouping.',
+ 'this_year' => 'Dieses Jahr',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Erstelle. Sende. Werde bezahlt.',
+ 'login_or_existing' => 'Oder melde dich mit einem verbundenen Konto an.',
+ 'sign_up_now' => 'Jetzt anmelden',
+ 'not_a_member_yet' => 'Noch kein Mitglied?',
+ 'login_create_an_account' => 'Konto erstellen!',
+ 'client_login' => 'Kundenanmeldung',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Rechnungen von:',
+ 'email_alias_message' => 'Wir benötigen von jedem Benutzer eine einzigartige E-Mail-Adresse. Verwenden Sie einen Alias, z.B.: email+label@example.com',
+ 'full_name' => 'Voller Name',
+ 'month_year' => 'Monat/Jahr',
+ 'valid_thru' => 'Gültig\nthru',
+
+ 'product_fields' => 'Produktfelder',
+ 'custom_product_fields_help' => 'Füge ein Feld hinzu, wenn eine neues Produkt oder Rechnung erstellt wird und zeige die Bezeichnung und den Wert auf der Rechnung an.',
+ 'freq_two_months' => 'Zwei Monate',
+ 'freq_yearly' => 'Jährlich',
+ 'profile' => 'Profil',
+ 'payment_type_help' => 'Setze die Standard manuelle Zahlungsmethode.',
+ 'industry_Construction' => 'Bauwesen',
+ 'your_statement' => 'Deine Abrechnung',
+ 'statement_issued_to' => 'Abrechnung ausgestellt für',
+ 'statement_to' => 'Abrechnung für',
+ 'customize_options' => 'Optionen anpassen',
+ 'created_payment_term' => 'Zahlungsbedingung erfolgreich erstellt',
+ 'updated_payment_term' => 'Zahlungsbedingung erfolgreich aktualisiert',
+ 'archived_payment_term' => 'Zahlungsbedingung erfolgreich archiviert',
+ 'resend_invite' => 'Einladung erneut versenden',
+ 'credit_created_by' => 'Guthaben erstellt durch Zahlung :transaction_reference',
+ 'created_payment_and_credit' => 'Zahlung und Guthaben erfolgreich erstellt',
+ 'created_payment_and_credit_emailed_client' => 'Zahlung und Guthaben erfolgreich erstellt und Kunde per E-Mail benachrichtigt',
+ 'create_project' => 'Projekt erstellen',
+ 'create_vendor' => 'Lieferanten erstellen',
+ 'create_expense_category' => 'Kategorie erstellen',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Als bereit markieren',
+
+ 'limits' => 'Grenzwerte',
+ 'fees' => 'Gebühren',
+ 'fee' => 'Gebühr',
+ 'set_limits_fees' => 'Limits/Gebühren festlegen',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'Die Gebühren für eine Rechnung über :amount würden :total betragen.',
+ 'discount_sample' => 'Der Rabatt für eine Rechnungen über :amount würde :total betragen.',
+ 'no_fees' => 'Keine Gebühren',
+ 'gateway_fees_disclaimer' => 'Achtung: Nicht alle Länder oder Bezahldienste erlauben es, Gebühren zu erheben. Beachten Sie die jeweiligen gesetztlichen Bestimmungen bzw. Nutzungsbedingungen.',
+ 'percent' => 'Prozent',
+ 'location' => 'Ort',
+ 'line_item' => 'Posten',
+ 'surcharge' => 'Gebühr',
+ 'location_first_surcharge' => 'Aktiviert - Erste Mahngebühr',
+ 'location_second_surcharge' => 'Aktiviert - Zweite Mahngebühr',
+ 'location_line_item' => 'Aktiv - Posten',
+ 'online_payment_surcharge' => 'Gebühr für Online-Zahlung',
+ 'gateway_fees' => 'Transaktionsgebühren',
+ 'fees_disabled' => 'Gebühren sind deaktiviert',
+ 'gateway_fees_help' => 'Automatisch einen Online-Zahlungszuschlag oder Rabatt hinzufügen.',
+ 'gateway' => 'Provider',
+ 'gateway_fee_change_warning' => 'Wenn es unbezahlte Rechnungen mit Gebühren gibt, müssen diese manuell aktualisiert werden.',
+ 'fees_surcharge_help' => 'Gebühren anpassen :link.',
+ 'label_and_taxes' => 'Bezeichnung und Steueren',
+ 'billable' => 'Abrechenbar',
+ 'logo_warning_too_large' => 'Die Bilddatei ist zu groß.',
+ 'logo_warning_fileinfo' => 'Warnung: Um gif-Dateien zu unterstützen muss die fileinfo PHP-Erweiterung aktiv sein.',
+ 'logo_warning_invalid' => 'Es gab ein Problem beim Einlesen der Bilddatei. Bitte verwende ein anderes Dateiformat.',
+
+ 'error_refresh_page' => 'Es ist ein Fehler aufgetreten. Bitte aktualisiere die Webseite und probiere es erneut.',
+ 'data' => 'Daten',
+ 'imported_settings' => 'Einstellungen erfolgreich aktualisiert',
+ 'reset_counter' => 'Zähler-Reset',
+ 'next_reset' => 'Nächster Reset',
+ 'reset_counter_help' => 'Setze automatisch den Rechnungs- und Angebotszähler zurück.',
+ 'auto_bill_failed' => 'Automatische Abrechnung für :invoice_number fehlgeschlagen',
+ 'online_payment_discount' => 'Online-Zahlungsrabatt',
+ 'created_new_company' => 'Neues Unternehmen erfolgreich erstellt',
+ 'fees_disabled_for_gateway' => 'Gebühren sind für diesen Gateway deaktiviert.',
+ 'logout_and_delete' => 'Ausloggen/Konto löschen',
+ 'tax_rate_type_help' => 'Inklusive Steuersätze beeinflussen die Kosten der Rechnungspositionen, wenn sie ausgewählt werden. Nur exklusive Steuersätze können als Standard verwendet werden.',
+ 'invoice_footer_help' => 'Verwende $pageNumber und $pageCount um Seiteninformationen anzuzeigen.',
+ 'credit_note' => 'Gutschrift',
+ 'credit_issued_to' => 'Kreditkarte ausgestellt auf',
+ 'credit_to' => 'Gutschreiben an',
+ 'your_credit' => 'Ihr Guthaben',
+ 'credit_number' => 'Gutschriftnummer',
+ 'create_credit_note' => 'Gutschrift erstellen',
+ 'menu' => 'Menü',
+ 'error_incorrect_gateway_ids' => 'Fehler: Die Tabelle des Gateways enthält fehlerhafte IDs.',
+ 'purge_data' => 'Daten säubern',
+ 'delete_data' => 'Daten löschen',
+ 'purge_data_help' => 'Alle Daten endgültig löschen, aber Konto und Einstellungen behalten.',
+ 'cancel_account_help' => 'Lösche unwiederbringlich das Konto, mitsamt aller Daten und Einstellungen.',
+ 'purge_successful' => 'Die Kontodaten wurden erfolgreich gelöscht',
+ 'forbidden' => 'Verboten',
+ 'purge_data_message' => 'Achtung: Alle Daten werden vollständig gelöscht. Dieser Vorgang kann nicht rückgängig gemacht werden.',
+ 'contact_phone' => 'Telefonnummer des Kontakts',
+ 'contact_email' => 'E-Mail-Adresse des Kontakts',
+ 'reply_to_email' => 'Antwort-E-Mail-Adresse',
+ 'reply_to_email_help' => 'Gib die Antwort-E-Mail-Adresse an, die für den Kundenkontakt genutzt werden soll.',
+ 'bcc_email_help' => 'Sende unsichtbar zusätzlich alle ausgehenden E-Mails an die hier angegebene Adresse.',
+ 'import_complete' => 'Ihr Import wurde erfolgreich abgeschlossen.',
+ 'confirm_account_to_import' => 'Bitte bestätigen Sie Ihr Konto um Daten zu importieren.',
+ 'import_started' => 'Ihr Import wurde gestartet, wir senden Ihnen eine E-Mail zu, sobald er abgeschlossen wurde.',
+ 'listening' => 'Höre zu...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Sprachbefehle',
+ 'sample_commands' => 'Beispiele für Sprachbefehle',
+ 'voice_commands_feedback' => 'Wir arbeiten aktiv daran, dieses Feature zu verbessern. Wenn es einen Befehl gibt, den wir unterstützen sollen, senden Sie uns bitte eine E-Mail an :email.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Zahlunganweisung',
+ 'archived_products' => 'Archivierung erfolgreich :Produktzähler',
+ 'recommend_on' => 'Wir empfehlen diese Einstellung zu aktivieren.',
+ 'recommend_off' => 'Wir empfehlen diese Einstellung zu deaktivieren.',
+ 'notes_auto_billed' => 'Automatisch verrechnet',
+ 'surcharge_label' => 'Aufschlagsfeldbezeichnung',
+ 'contact_fields' => 'Kontaktfelder',
+ 'custom_contact_fields_help' => 'Fügen Sie ein neues Feld zu Kontakten hinzu. Die Feldbezeichnung und der Feldwert können auf PDF-Dateien ausgegeben.',
+ 'datatable_info' => 'Zeige Eintrag :start bis :end von :total',
+ 'credit_total' => 'Gesamtguthaben',
+ 'mark_billable' => 'zur Verrechnung kennzeichnen',
+ 'billed' => 'Verrechnet',
+ 'company_variables' => 'Firmen-Variablen',
+ 'client_variables' => 'Kunden-Variablen',
+ 'invoice_variables' => 'Rechnungs Variablen',
+ 'navigation_variables' => 'Navigations Variablen',
+ 'custom_variables' => 'Benutzerdefinierte Variablen',
+ 'invalid_file' => 'Ungültiger Dateityp',
+ 'add_documents_to_invoice' => 'Fügen Sie Dokumente zur Rechnung hinzu',
+ 'mark_expense_paid' => 'Als bezahlt markieren',
+ 'white_label_license_error' => 'Die Lizenz nicht validiert werden. Überprüfen Sie die Datei Storage/logs/laravel-error. log auf Fehler.',
+ 'plan_price' => 'Tarifkosten',
+ 'wrong_confirmation' => 'Falscher Bestätigungscode',
+ 'oauth_taken' => 'Dieses Konto ist bereits registriert',
+ 'emailed_payment' => 'Zahlungs eMail erfolgreich gesendet',
+ 'email_payment' => 'Sende Zahlungs eMail',
+ 'invoiceplane_import' => 'Benutzer :link für die Datenmigration von InvoicePlane.',
+ 'duplicate_expense_warning' => 'Achtung: :link evtl. schon vorhanden.',
+ 'expense_link' => 'Ausgabe',
+ 'resume_task' => 'Aufgabe fortsetzen',
+ 'resumed_task' => 'Aufgabe fortgesetzt',
+ 'quote_design' => 'Angebots-Layout',
+ 'default_design' => 'Standard-Layout',
+ 'custom_design1' => 'Eigenes Layout 1',
+ 'custom_design2' => 'Eigenes Layout 2',
+ 'custom_design3' => 'Eigenes Layout 3',
+ 'empty' => 'Leer',
+ 'load_design' => 'Designvorlage laden',
+ 'accepted_card_logos' => 'Logos der akzeptierten Kreditkarten',
+ 'phantomjs_local_and_cloud' => 'PhantomJS wird lokal verwendet, die Cloud-Version wird als Fallback verwendet',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Zahlungen verfolgen über :link',
+ 'start_date_required' => 'Das Anfangsdatum muss angegeben werden',
+ 'application_settings' => 'Anwendungs-Einstellungen',
+ 'database_connection' => 'Datenbank-Verbindung',
+ 'driver' => 'Treiber',
+ 'host' => 'Host',
+ 'database' => 'Datenbank',
+ 'test_connection' => 'Verbindung testen',
+ 'from_name' => 'Absendername',
+ 'from_address' => 'Absenderadresse',
+ 'port' => 'Port',
+ 'encryption' => 'Verschlüsselung',
+ 'mailgun_domain' => 'Mailgun Domäne',
+ 'mailgun_private_key' => 'Mailgun privater Schlüssel',
+ 'send_test_email' => 'Test-E-Mail verschicken',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Dienst',
+ 'update_payment_details' => 'Aktualisiere Zahlungsdetails',
+ 'updated_payment_details' => 'Zahlungsdetails erfolgreich aktualisiert',
+ 'update_credit_card' => 'Aktualisiere Kreditkarte',
+ 'recurring_expenses' => 'Wiederkehrende Ausgaben',
+ 'recurring_expense' => 'Wiederkehrende Ausgabe',
+ 'new_recurring_expense' => 'Wiederkehrende Ausgabe eingeben',
+ 'edit_recurring_expense' => 'Wiederkehrende Ausgabe bearbeiten',
+ 'archive_recurring_expense' => 'Wiederkehrende Ausgabe archivieren',
+ 'list_recurring_expense' => 'Wiederkehrende Ausgabe auflisten',
+ 'updated_recurring_expense' => 'Wiederkehrende Ausgabe wurde aktualisiert',
+ 'created_recurring_expense' => 'Wiederkehrende Ausgabe wurde erstellt',
+ 'archived_recurring_expense' => 'Wiederkehrende Ausgabe wurde archiviert',
+ 'archived_recurring_expense' => 'Wiederkehrende Ausgabe wurde archiviert',
+ 'restore_recurring_expense' => 'Wiederkehrende Ausgabe wiederherstellen',
+ 'restored_recurring_expense' => 'Wiederkehrende Ausgabe wurde wiederhergestellt',
+ 'delete_recurring_expense' => 'Wiederkehrende Ausgabe Löschen',
+ 'deleted_recurring_expense' => 'Projekt wurde gelöscht',
+ 'deleted_recurring_expense' => 'Projekt wurde gelöscht',
+ 'view_recurring_expense' => 'Wiederkehrende Ausgabe Anzeigen',
+ 'taxes_and_fees' => 'Steuern und Gebühren',
+ 'import_failed' => 'Import fehlgeschlagen',
+ 'recurring_prefix' => 'Wiederkehrender Präfix',
+ 'options' => 'Optionen',
+ 'credit_number_help' => 'Geben Sie einen Präfix oder ein benutzerdefiniertes Schema an, um die Gutschriftnummer dynamisch zu erzeugen.',
+ 'next_credit_number' => 'Die nächste Gutschriftnummer ist :number.',
+ 'padding_help' => 'Anzahl der Stellen, mit der die Nummern dargestellt werden.',
+ 'import_warning_invalid_date' => 'Achtung: Das Datumsformat ist ungültig',
+ 'product_notes' => 'Produktnotizen',
+ 'app_version' => 'App-Version',
+ 'ofx_version' => 'OFX-Version',
+ 'gateway_help_23' => ':link um Ihre Stripe API-Keys zu erhalten.',
+ 'error_app_key_set_to_default' => 'Fehler: APP_KEY ist auf einen Standardwert gesetzt. Um ihn zu aktualisieren, sichere deine Datenbank und führe dann php artisan ninja:update-key
aus',
+ 'charge_late_fee' => 'Verspätungszuschlag berechnen',
+ 'late_fee_amount' => 'Höhe des Verspätungszuschlags',
+ 'late_fee_percent' => 'Verspätungszuschlag Prozent',
+ 'late_fee_added' => 'Verspätungszuschlag hinzugefügt am :date',
+ 'download_invoice' => 'Rechnung herunterladen',
+ 'download_quote' => 'Angebot herunterladen',
+ 'invoices_are_attached' => 'Ihre PDF-Rechnungsdokumente finden Sie im Anhang.',
+ 'downloaded_invoice' => 'Die Rechnung wird als PDF per E-Mail versendet',
+ 'downloaded_quote' => 'Das Angebot wird als PDF per E-Mail versendet',
+ 'downloaded_invoices' => 'Die Rechnungen werden als PDF per E-Mail versendet',
+ 'downloaded_quotes' => 'Die Angebote werden als PDF per E-Mail versendet',
+ 'clone_expense' => 'Ausgabe duplizieren',
+ 'default_documents' => 'Standard-Dokumente',
+ 'send_email_to_client' => 'E-Mail an den Kunden senden',
+ 'refund_subject' => 'Erstattung wurde durchgeführt',
+ 'refund_body' => 'Sie haben eine Rückerstattung über :Betrag für Rechnung :Rechnungsnummer erhalten.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'Britische Pfund',
+ 'currency_euro' => 'Euro',
+ 'currency_south_african_rand' => 'Südafrikanischer Rand',
+ 'currency_danish_krone' => 'Dänische Kronen',
+ 'currency_israeli_shekel' => 'Israelische Shekel',
+ 'currency_swedish_krona' => 'Schwedische Kronen',
+ 'currency_kenyan_shilling' => 'Keniansche Schilling',
+ 'currency_canadian_dollar' => 'Kanadische Dollar',
+ 'currency_philippine_peso' => 'Philippinischer Peso',
+ 'currency_indian_rupee' => 'Indische Rupie',
+ 'currency_australian_dollar' => 'Australische Dollar',
+ 'currency_singapore_dollar' => 'Singapur Dollar',
+ 'currency_norske_kroner' => 'Norwegische Kronen',
+ 'currency_new_zealand_dollar' => 'Neuseeland Dollar',
+ 'currency_vietnamese_dong' => 'Vietnamesische Dong',
+ 'currency_swiss_franc' => 'Schweizer Franken',
+ 'currency_guatemalan_quetzal' => 'Guatemaltekischer Quetzal',
+ 'currency_malaysian_ringgit' => 'Malaysischer Ringgit',
+ 'currency_brazilian_real' => 'Brasilianischer Real',
+ 'currency_thai_baht' => 'Thailändischer Baht',
+ 'currency_nigerian_naira' => 'Nigerianische Naira',
+ 'currency_argentine_peso' => 'Argentinischer Peso',
+ 'currency_bangladeshi_taka' => 'Bangladesch Taka',
+ 'currency_united_arab_emirates_dirham' => 'Vereinigte Arabische Emirate Dirham',
+ 'currency_hong_kong_dollar' => 'Hong Kong Dollar',
+ 'currency_indonesian_rupiah' => 'Indonesische Rupiah',
+ 'currency_mexican_peso' => 'Mexikanische Peso',
+ 'currency_egyptian_pound' => 'Ägyptische Pfund',
+ 'currency_colombian_peso' => 'Kolumbianischer Peso',
+ 'currency_west_african_franc' => 'Westafrikanischer Franc',
+ 'currency_chinese_renminbi' => 'Chinesischer Renminbi',
+ 'currency_rwandan_franc' => 'Ruanda-Franc',
+ 'currency_tanzanian_shilling' => 'Tansania-Schilling',
+ 'currency_netherlands_antillean_guilder' => 'Niederländische-Antillen-Gulden',
+ 'currency_trinidad_and_tobago_dollar' => 'Trinidad und Tobago-Dollar',
+ 'currency_east_caribbean_dollar' => 'Ostkaribischer Dollar',
+ 'currency_ghanaian_cedi' => 'Ghanaischer Cedi',
+ 'currency_bulgarian_lev' => 'Bulgarische Lev',
+ 'currency_aruban_florin' => 'Aruba-Florin',
+ 'currency_turkish_lira' => 'Türkische Lira',
+ 'currency_romanian_new_leu' => ' Rumänischer Leu',
+ 'currency_croatian_kuna' => 'Kroatische Kuna',
+ 'currency_saudi_riyal' => 'Saudi Riyal',
+ 'currency_japanese_yen' => 'Japanische Yen',
+ 'currency_maldivian_rufiyaa' => 'Malediven-Rupie',
+ 'currency_costa_rican_colon' => 'Costa-Rica-Colón',
+ 'currency_pakistani_rupee' => 'Pakistanische Rupie',
+ 'currency_polish_zloty' => 'Polnische Zloty',
+ 'currency_sri_lankan_rupee' => 'Sri Lanka-Rupie ',
+ 'currency_czech_koruna' => 'Tschechische Kronen',
+ 'currency_uruguayan_peso' => 'Uruguayischer Peso',
+ 'currency_namibian_dollar' => 'Namibischer Dollar',
+ 'currency_tunisian_dinar' => 'Tunesischer Dinar',
+ 'currency_russian_ruble' => 'Russische Rubel',
+ 'currency_mozambican_metical' => 'Mosambik-Metical',
+ 'currency_omani_rial' => 'Omanischer Rial',
+ 'currency_ukrainian_hryvnia' => 'Ukraininische Hrywnja',
+ 'currency_macanese_pataca' => 'Macao-Pataca',
+ 'currency_taiwan_new_dollar' => 'Neuer Taiwan-Dollar',
+ 'currency_dominican_peso' => 'Dominikanischer Peso',
+ 'currency_chilean_peso' => 'Chilenischer Peso',
+ 'currency_icelandic_krona' => 'Isländische Krone',
+ 'currency_papua_new_guinean_kina' => 'Papua-Neuguinea Kina',
+ 'currency_jordanian_dinar' => 'Jordanischer Dinar',
+ 'currency_myanmar_kyat' => 'Myanmar-Kyat',
+ 'currency_peruvian_sol' => 'Peruanischer Sol',
+ 'currency_botswana_pula' => 'Botswanischer Pula',
+ 'currency_hungarian_forint' => 'Ungarischer Forint',
+ 'currency_ugandan_shilling' => 'Uganda-Schilling',
+ 'currency_barbadian_dollar' => 'Barbados-Dollar',
+ 'currency_brunei_dollar' => 'Brunei-Dollar',
+ 'currency_georgian_lari' => 'Georgischer Lari',
+ 'currency_qatari_riyal' => ' Katar-Riyal',
+ 'currency_honduran_lempira' => 'Honduran Lempira',
+ 'currency_surinamese_dollar' => 'Surinamese Dollar',
+ 'currency_bahraini_dinar' => 'Bahraini Dinar',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Achten Sie darauf, die englische Version der Dateien zu verwenden. Wir verwenden die Spaltenüberschriften, um die Felder abzugleichen.',
+ 'tax1' => 'Steuern',
+ 'tax2' => 'Aufschlag',
+ 'fee_help' => 'Gateway-Gebühren sind die Kosten, die für die Nutzung der Finanznetzwerke anfallen, über die Online-Bezahlungen abgewickelt werden.',
+ 'format_export' => 'Export-Format',
+ 'custom1' => 'Benutzerdefiniert 1',
+ 'custom2' => 'Benutzerdefiniert 2',
+ 'contact_first_name' => 'Kontakt Vorname',
+ 'contact_last_name' => 'Kontakt Nachname',
+ 'contact_custom1' => 'Kontakt Benutzerdefiniert 1',
+ 'contact_custom2' => 'Kontakt Benutzerdefiniert 2',
+ 'currency' => 'Währung',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'Kommentare',
+
+ 'item_product' => 'Bezeichnung',
+ 'item_notes' => 'Beschreibung',
+ 'item_cost' => 'Preis',
+ 'item_quantity' => 'Menge',
+ 'item_tax_rate' => 'Steuern für Position',
+ 'item_tax_name' => 'Steuern',
+ 'item_tax1' => 'Position Steuern 1',
+ 'item_tax2' => 'Position Steuern 2',
+
+ 'delete_company' => 'Firma löschen',
+ 'delete_company_help' => 'Die Firma unwiderruflich mit allen Daten löschen.',
+ 'delete_company_message' => 'Achtung: Dadurch wird Ihre Firma unwiderruflich gelöscht. Es gibt kein Zurück.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'Wenn Sie einen Fehler melden, fügen Sie bitte alle relevanten Informationen aus storage/logs/laravel-error.log hinzu.',
+ 'include_errors' => 'Fehler einschließen',
+ 'include_errors_help' => ':link von storage/logs/laravel-error.log einschließen',
+ 'recent_errors' => 'Kürzliche Fehler',
+ 'customer' => 'Kunde',
+ 'customers' => 'Kunden',
+ 'created_customer' => 'Kunde erfolgreich erstellt',
+ 'created_customers' => ':count Kunden erfolgreich erstellt',
+
+ 'purge_details' => 'Ihre Firmendaten (:account) wurden erfolgreich gelöscht.',
+ 'deleted_company' => 'Unternehmen erfolgreich gelöscht',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Ihre Firma (:account) wurde erfolgreich gelöscht.',
+ 'deleted_account_details' => 'Dein Konto (:account) wurde erfolgreich gelöscht.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'SOFORT-Überweisung',
+ 'sepa' => 'SEPA-Lastschrift',
+ 'enable_alipay' => 'Alipay akzeptieren',
+ 'enable_sofort' => 'EU-Überweisungen akzeptieren',
+ 'stripe_alipay_help' => 'Dieses Gateway muss unter :link aktiviert werden.',
+ 'calendar' => 'Kalender',
+ 'pro_plan_calendar' => ':link um den Kalender im Pro-Tarif zu aktivieren',
+
+ 'what_are_you_working_on' => 'Woran arbeiten Sie?',
+ 'time_tracker' => 'Zeiterfassung',
+ 'refresh' => 'Aktualisieren',
+ 'filter_sort' => 'Filter/Sortieren',
+ 'no_description' => 'Keine Beschreibung',
+ 'time_tracker_login' => 'Zeiterfassung Login',
+ 'save_or_discard' => 'Änderungen speichern oder verwerfen',
+ 'discard_changes' => 'Änderungen verwerfen',
+ 'tasks_not_enabled' => 'Aufgaben sind nicht aktiv.',
+ 'started_task' => 'Aufgabe erfolgreich gestartet',
+ 'create_client' => 'Kunden erstellen',
+
+ 'download_desktop_app' => 'Lade die Desktop-App herunter',
+ 'download_iphone_app' => 'Lade die iPhone-App herunter',
+ 'download_android_app' => 'Lade die Android-App herunter',
+ 'time_tracker_mobile_help' => 'Task auswählen mit Doppelklick',
+ 'stopped' => 'Angehalten',
+ 'ascending' => 'Aufsteigend',
+ 'descending' => 'Absteigend',
+ 'sort_field' => 'Sortierung',
+ 'sort_direction' => 'Richtung',
+ 'discard' => 'Verwerfen',
+ 'time_am' => 'Vormittags',
+ 'time_pm' => 'Nachmittags',
+ 'time_mins' => 'Minuten',
+ 'time_hr' => 'Stunde',
+ 'time_hrs' => 'Stunden',
+ 'clear' => 'Löschen',
+ 'warn_payment_gateway' => 'Hinweis: Die Annahme von Online-Zahlungen erfordert ein Zahlungs-Gateway. :Link zum Hinzufügen einer.',
+ 'task_rate' => 'Kosten für Tätigkeit',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Überfällig',
+ 'document' => 'Dokument',
+ 'invoice_or_expense' => 'Rechnung/Kosten',
+ 'invoice_pdfs' => 'Rechnungs-PDFs',
+ 'enable_sepa' => 'SEPA-Lastschriften akzeptieren',
+ 'enable_bitcoin' => 'Bitcoin akzeptieren',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => 'Mit der Angabe Ihrer IBAN und der Bestätigung dieser Zahlung ermächtigen Sie :company und unseren Zahlungsdienstleister Stripe, Ihr Konto mit dem Rechnungsbetragzu belasten. Sie haben Anspruch auf Rückerstattung von Ihrer Bank zu den Bedingungen und Konditionen, die Sie mit Ihrer Bank vereinbart haben. Die Rückerstattung muss innerhalb von 8 Wochen ab dem Datum der Belastung Ihres Kontos erfolgen.',
+ 'recover_license' => 'Lizenz wiederherstellen',
+ 'purchase' => 'Kaufen',
+ 'recover' => 'Wiederherstellen',
+ 'apply' => 'Anwenden',
+ 'recover_white_label_header' => 'White-Label-Lizenz wiederherstellen',
+ 'apply_white_label_header' => 'White-Label-Lizent wiederherstellen',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Zurück zur Rechnung',
+ 'gateway_help_13' => 'Um ITN zu benutzen, lassen Sie das PDT-Feld leer.',
+ 'partial_due_date' => 'Teilzahlungsziel',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Felder verschieben, um ihre Reihenfolge zu ändern',
+ 'custom_value1' => 'Benutzerdefinierten Wert',
+ 'custom_value2' => 'Benutzerdefinierten Wert',
+ 'enable_two_factor' => 'Zwei-Faktor-Authentifizierung',
+ 'enable_two_factor_help' => 'Bestätige beim Anmelden mit deinem Telefon deine Identität',
+ 'two_factor_setup' => 'Zwei-Faktor Einrichtung',
+ 'two_factor_setup_help' => 'Barcode mit :link kompatibler App scannen.',
+ 'one_time_password' => 'Einmaliges Passwort',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Zwei-Faktor-Authentifizierung erfolgreich aktiviert',
+ 'add_product' => 'Produkt hinzufügen',
+ 'email_will_be_sent_on' => 'Hinweis: Das E-Mail wird am :date gesendet.',
+ 'invoice_product' => 'Rechnungsprodukt',
+ 'self_host_login' => 'Eigenes-Hosting Anmeldung',
+ 'set_self_hoat_url' => 'Eigenes-Hosting URL',
+ 'local_storage_required' => 'Fehler: Lokaler Speicherplatz ist nicht verfügbar.',
+ 'your_password_reset_link' => 'Dein Passwort zurücksetzen Link',
+ 'subdomain_taken' => 'Die Subdomäne wird bereits verwendet',
+ 'client_login' => 'Kundenanmeldung',
+ 'converted_amount' => 'Umgerechneter Betrag',
+ 'default' => 'Standard',
+ 'shipping_address' => 'Lieferadresse',
+ 'bllling_address' => 'Rechnungsadresse',
+ 'billing_address1' => 'Strasse Rechnungsanschrift',
+ 'billing_address2' => 'Rechnung Adresszusatz',
+ 'billing_city' => 'Stadt Rechnungsanschrift',
+ 'billing_state' => 'Rechnung Bundesland',
+ 'billing_postal_code' => 'Postleitzahl Rechnungsanschrift',
+ 'billing_country' => 'Rechnungsland',
+ 'shipping_address1' => 'Strasse Versandanschrift',
+ 'shipping_address2' => 'Versand Adresszusatz',
+ 'shipping_city' => 'Stadt Versandanschrift',
+ 'shipping_state' => 'Versand Bundesland',
+ 'shipping_postal_code' => 'Postleitzahl Versandanschrift',
+ 'shipping_country' => 'Lieferungsland',
+ 'classify' => 'Klassifizieren',
+ 'show_shipping_address_help' => 'Verlange von Kunden, ihre Versandadresse anzugeben',
+ 'ship_to_billing_address' => 'An die Rechnungsadresse versenden',
+ 'delivery_note' => 'Lieferschein',
+ 'show_tasks_in_portal' => 'Zeige Aufgaben im Kundenportal',
+ 'cancel_schedule' => 'Cancel Schedule',
+ 'scheduled_report' => 'Geplanter Bericht',
+ 'scheduled_report_help' => ':report Bericht als :format an E-Mail senden',
+ 'created_scheduled_report' => 'Bericht erfolgreich eingeplant',
+ 'deleted_scheduled_report' => 'Eingeplanten Bericht erfolgreich gelöscht',
+ 'scheduled_report_attached' => 'Your scheduled :type report is attached.',
+ 'scheduled_report_error' => 'Failed to create schedule report',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Akzeptiere Apple Pay und Pay mit Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verifizierungsdatei',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optionale Zahlungsmethoden',
+ 'add_subscription' => 'Abonnement hinzufügen',
+ 'target_url' => 'Ziel',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Ereignis',
+ 'subscription_event_1' => 'Erstellter Kunde',
+ 'subscription_event_2' => 'Erstellte Rechnung',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Zahlung erstellt',
+ 'subscription_event_5' => 'Erstellte Lieferanten',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Aktualisierte Rechnung',
+ 'subscription_event_9' => 'Gelöschte Rechnung',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Zahlung löschen',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Abonnements',
+ 'updated_subscription' => 'Abonnement erfolgreich aktualisiert',
+ 'created_subscription' => 'Abonnement erfolgreich erstellt',
+ 'edit_subscription' => 'Abonnement bearbeiten',
+ 'archive_subscription' => 'Abonnement archivieren',
+ 'archived_subscription' => 'Abonnement erfolgreich archiviert',
+ 'project_error_multiple_clients' => 'Die Projekte können nicht zu verschiedenen Kunden gehören',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Wiederkehrende Rechnungen',
+ 'module_credit' => 'Guthaben',
+ 'module_quote' => 'Kostenvoranschläge und Angebote',
+ 'module_task' => 'Aufgaben und Projekte',
+ 'module_expense' => 'Ausgaben & Lieferanten',
+ 'reminders' => 'Erinnerungen',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Anfrage verarbeiten',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Zeiten bearbeiten',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Dieses Gerät nicht merken',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In Bearbeitung',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'Neuer Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Fortschritt',
+ 'view_project' => 'View Project',
+ 'summary' => 'Zusammenfassung',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Zurück zum Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Vorlage',
+ 'templates' => 'Vorlagen',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Vorlagen',
+ 'new_proposal_template' => 'Neue Vorlage',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => ' :count Vorlagen wurden erfolgreich archiviert',
+ 'deleted_proposal_templates' => ' :count Vorlagen wurden erfolgreich archiviert',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'Neue Kategorie',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'Du hast eine neue Zahlung erhalten',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Akzeptieren',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Ungültige URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Produkt duplizieren',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Lieferanten importieren',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Rechnungsfeld',
+ 'invoice_surcharge' => 'Rechnungsgebühr',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Nachrichten',
+ 'unpaid_invoice' => 'Unbezahlte Rechnung',
+ 'paid_invoice' => 'Bezahlte Rechnung',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'Kein Treffer gefunden',
+ 'password_strength' => 'Passwortqualität',
+ 'strength_weak' => 'Schwach',
+ 'strength_good' => 'Gut',
+ 'strength_strong' => 'Stark',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Hintergrund',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/de/validation.php b/resources/lang/de/validation.php
new file mode 100644
index 000000000000..11051273e2f5
--- /dev/null
+++ b/resources/lang/de/validation.php
@@ -0,0 +1,112 @@
+ ":attribute muss akzeptiert werden.",
+ "active_url" => ":attribute ist keine gültige Internet-Adresse.",
+ "after" => ":attribute muss ein Datum nach dem :date sein.",
+ "alpha" => ":attribute darf nur aus Buchstaben bestehen.",
+ "alpha_dash" => ":attribute darf nur aus Buchstaben, Zahlen, Binde- und Unterstrichen bestehen. Umlaute (ä, ö, ü) und Eszett (ß) sind nicht erlaubt.",
+ "alpha_num" => ":attribute darf nur aus Buchstaben und Zahlen bestehen.",
+ "array" => ":attribute muss ein Array sein.",
+ "before" => ":attribute muss ein Datum vor dem :date sein.",
+ "between" => array(
+ "numeric" => ":attribute muss zwischen :min & :max liegen.",
+ "file" => ":attribute muss zwischen :min & :max Kilobytes groß sein.",
+ "string" => ":attribute muss zwischen :min & :max Zeichen lang sein.",
+ "array" => ":attribute muss zwischen :min & :max Elemente haben.",
+ ),
+ "confirmed" => ":attribute stimmt nicht mit der Bestätigung überein.",
+ "date" => ":attribute muss ein gültiges Datum sein.",
+ "date_format" => ":attribute entspricht nicht dem gültigen Format für :format.",
+ "different" => ":attribute und :other müssen sich unterscheiden.",
+ "digits" => ":attribute muss :digits Stellen haben.",
+ "digits_between" => ":attribute muss zwischen :min und :max Stellen haben.",
+ "email" => ":attribute Format ist ungültig.",
+ "exists" => "Der gewählte Wert für :attribute ist ungültig.",
+ "image" => ":attribute muss ein Bild sein.",
+ "in" => "Der gewählte Wert für :attribute ist ungültig.",
+ "integer" => ":attribute muss eine ganze Zahl sein.",
+ "ip" => ":attribute muss eine gültige IP-Adresse sein.",
+ "max" => array(
+ "numeric" => ":attribute darf maximal :max sein.",
+ "file" => ":attribute darf maximal :max Kilobytes groß sein.",
+ "string" => ":attribute darf maximal :max Zeichen haben.",
+ "array" => ":attribute darf nicht mehr als :max Elemente haben.",
+ ),
+ "mimes" => ":attribute muss den Dateityp :values haben.",
+ "min" => array(
+ "numeric" => ":attribute muss mindestens :min sein.",
+ "file" => ":attribute muss mindestens :min Kilobytes groß sein.",
+ "string" => ":attribute muss mindestens :min Zeichen lang sein.",
+ "array" => ":attribute muss mindestens :min Elemente haben.",
+ ),
+ "not_in" => "Der gewählte Wert für :attribute ist ungültig.",
+ "numeric" => ":attribute muss eine Zahl sein.",
+ "regex" => ":attribute Format ist ungültig.",
+ "required" => ":attribute muss ausgefüllt sein.",
+ "required_if" => ":attribute muss ausgefüllt sein wenn :other :value ist.",
+ "required_with" => ":attribute muss angegeben werden wenn :values ausgefüllt wurde.",
+ "required_with_all" => ":attribute muss ausgefüllt werden, wenn :values vorhanden ist.",
+ "required_without" => ":attribute muss angegeben werden wenn :values nicht ausgefüllt wurde.",
+ "required_without_all" => ":attribute muss angegeben werden wenn keines der Felder :values ausgefüllt wurde.",
+ "same" => ":attribute und :other müssen übereinstimmen.",
+ "size" => array(
+ "numeric" => ":attribute muss gleich :size sein.",
+ "file" => ":attribute muss :size Kilobyte groß sein.",
+ "string" => ":attribute muss :size Zeichen lang sein.",
+ "array" => ":attribute muss genau :size Elemente haben.",
+ ),
+ "unique" => ":attribute ist schon vergeben.",
+ "url" => "Das Format von :attribute ist ungültig.",
+
+ "positive" => ":attribute muss größer als null sein.",
+ "has_credit" => "Der Kunde hat nicht genug Guthaben.",
+ "notmasked" => "Die Werte sind maskiert",
+ "less_than" => ':attribute muss weniger als :value sein',
+ "has_counter" => 'Der Wert muss {$counter} beinhalten',
+ "valid_contacts" => "Alle Kontakte müssen entweder einen Namen oder eine E-Mail Adresse haben",
+ "valid_invoice_items" => "Die Rechnung übersteigt den maximalen Betrag",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(
+ 'attribute-name' => array(
+ 'rule-name' => 'custom-message',
+ ),
+ ),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(),
+
+);
diff --git a/resources/lang/el/auth.php b/resources/lang/el/auth.php
new file mode 100644
index 000000000000..f6efb9b6e3ce
--- /dev/null
+++ b/resources/lang/el/auth.php
@@ -0,0 +1,19 @@
+ 'Τα στοιχεία αυτά δεν ταιριάζουν με τα δικά μας.',
+ 'throttle' => 'Πολλές προσπάθειες σύνδεσης. Παρακαλώ δοκιμάστε ξανά σε :seconds δευτερόλεπτα.',
+
+];
diff --git a/resources/lang/el/pagination.php b/resources/lang/el/pagination.php
new file mode 100644
index 000000000000..278fb517b6d9
--- /dev/null
+++ b/resources/lang/el/pagination.php
@@ -0,0 +1,19 @@
+ '« Προηγούμενη',
+ 'next' => 'Επόμενη »',
+
+];
diff --git a/resources/lang/el/passwords.php b/resources/lang/el/passwords.php
new file mode 100644
index 000000000000..da31a592cf21
--- /dev/null
+++ b/resources/lang/el/passwords.php
@@ -0,0 +1,22 @@
+ 'Το συνθηματικό πρέπει να έχει τουλάχιστον έξι χαρακτήρες και να ταιριάζει με την επαλήθευση.',
+ 'reset' => 'Έχει γίνει επαναφορά του συνθηματικού!',
+ 'sent' => 'Η υπενθύμιση του συνθηματικού εστάλη!',
+ 'token' => 'Το κλειδί αρχικοποίησης του συνθηματικού δεν είναι έγκυρο.',
+ 'user' => 'Δεν βρέθηκε χρήστης με το συγκεκριμένο email.',
+
+];
diff --git a/resources/lang/el/texts.php b/resources/lang/el/texts.php
new file mode 100644
index 000000000000..44c7206c903c
--- /dev/null
+++ b/resources/lang/el/texts.php
@@ -0,0 +1,2872 @@
+ 'Οργανισμός',
+ 'name' => 'Επωνυμία',
+ 'website' => 'Ιστοσελίδα',
+ 'work_phone' => 'Τηλέφωνο',
+ 'address' => 'Διεύθυνση',
+ 'address1' => 'Οδός',
+ 'address2' => 'Διαμέρισμα',
+ 'city' => 'Πόλη',
+ 'state' => 'Νομός',
+ 'postal_code' => 'Ταχ. Κώδικας',
+ 'country_id' => 'Χώρα',
+ 'contacts' => 'Επαφές',
+ 'first_name' => 'Όνομα',
+ 'last_name' => 'Επώνυμο',
+ 'phone' => 'Τηλέφωνο',
+ 'email' => 'Email',
+ 'additional_info' => 'Επιπλέον Πληροφορίες',
+ 'payment_terms' => 'Όροι Πληρωμής',
+ 'currency_id' => 'Νόμισμα',
+ 'size_id' => 'Μέγεθος Εταιρείας',
+ 'industry_id' => 'Βιομηχανία',
+ 'private_notes' => 'Προσωπικές Σημειώσεις',
+ 'invoice' => 'Τιμολόγιο',
+ 'client' => 'Πελάτης',
+ 'invoice_date' => 'Ημερομηνία Τιμολογίου',
+ 'due_date' => 'Ημερομηνία Πληρωμής',
+ 'invoice_number' => 'Αριθμός Τιμολογίου',
+ 'invoice_number_short' => 'Τιμολόγιο #',
+ 'po_number' => 'Αριθμός Παραγγελίας',
+ 'po_number_short' => 'Παραγγελία #',
+ 'frequency_id' => 'Πόσο Συχνά',
+ 'discount' => 'Έκπτωση',
+ 'taxes' => 'Φόροι',
+ 'tax' => 'Φόρος',
+ 'item' => 'Προϊόν',
+ 'description' => 'Περιγραφή',
+ 'unit_cost' => 'Τιμή Μονάδας',
+ 'quantity' => 'Ποσότητα',
+ 'line_total' => 'Σύνολο Γραμμής',
+ 'subtotal' => 'Μερικό Σύνολο',
+ 'paid_to_date' => 'Εξοφλημένο Ποσό',
+ 'balance_due' => 'Υπόλοιπο',
+ 'invoice_design_id' => 'Σχεδίαση',
+ 'terms' => 'Όροι',
+ 'your_invoice' => 'Το τιμολόγιό σας',
+ 'remove_contact' => 'Διαγραφή επαφής',
+ 'add_contact' => 'Προσθήκη επαφής',
+ 'create_new_client' => 'Δημιουργία νέου πελάτη',
+ 'edit_client_details' => 'Επεξεργασία στοιχείων πελάτη',
+ 'enable' => 'Ενεργοποίηση',
+ 'learn_more' => 'Μάθετε περισσότερα',
+ 'manage_rates' => 'Διαχείριση ποσοστών',
+ 'note_to_client' => 'Σημείωση προς Πελάτη',
+ 'invoice_terms' => 'Όροι Τιμολογίου',
+ 'save_as_default_terms' => 'Αποθήκευση ως προεπιλογή',
+ 'download_pdf' => 'Κατέβασμα PDF',
+ 'pay_now' => 'Πληρώστε Τώρα',
+ 'save_invoice' => 'Αποθήκευση Τιμολογίου',
+ 'clone_invoice' => 'Κλωνοποίηση σε Τιμολόγιο',
+ 'archive_invoice' => 'Αρχειοθέτηση Τιμολογίου',
+ 'delete_invoice' => 'Διαγραφή Τιμολογίου',
+ 'email_invoice' => 'Αποστολή Τιμολογίου με email',
+ 'enter_payment' => 'Καταχώρηση πληρωμής',
+ 'tax_rates' => 'Ποσοστά Φόρων',
+ 'rate' => 'Ποσοστό',
+ 'settings' => 'Ρυθμίσεις',
+ 'enable_invoice_tax' => 'Ενεργοποίηση καθορισμού ενιαίου φόρου τιμολογίου',
+ 'enable_line_item_tax' => 'Ενεργοποίηση καθορισμού φόρου ανά προϊόν',
+ 'dashboard' => 'Πίνακας ελέγχου',
+ 'clients' => 'Πελάτες',
+ 'invoices' => 'Τιμολόγια',
+ 'payments' => 'Πληρωμές',
+ 'credits' => 'Πιστώσεις',
+ 'history' => 'Ιστορικό',
+ 'search' => 'Αναζήτηση',
+ 'sign_up' => 'Εγγραφή',
+ 'guest' => 'Επισκέπτης',
+ 'company_details' => 'Στοιχεία Εταιρείας',
+ 'online_payments' => 'Πληρωμές Online',
+ 'notifications' => 'Ειδοποιήσεις',
+ 'import_export' => 'Εισαγωγή | Εξαγωγή',
+ 'done' => 'Έτοιμο',
+ 'save' => 'Αποθήκευση',
+ 'create' => 'Δημιουργία',
+ 'upload' => 'Ανέβασμα',
+ 'import' => 'Εισαγωγή',
+ 'download' => 'Κατέβασμα',
+ 'cancel' => 'Άκυρο',
+ 'close' => 'Κλείσιμο',
+ 'provide_email' => 'Παρακαλώ συμπληρώστε μια έγκυρη διεύθυνση email',
+ 'powered_by' => 'Λειτουργεί με',
+ 'no_items' => 'Δεν υπάρχουν προϊόντα',
+ 'recurring_invoices' => 'Επαναλαμβανόμενα Τιμολόγια',
+ 'recurring_help' => 'Αυτόματη αποστολή ίδιων τιμολογίων στους πελάτες ανά εβδομάδα, δύο εβδομάδες, μήνα, τρίμηνο ή έτος.
+Χρησιμοποιήστε τα :MONTH, :QUARTER ή :YEAR για δυναμικές ημερομηνίες. Λειτουργούν και απλές αριθμητικές πράξεις, όπως για παράδειγμα :MONTH-1.
+Παραδείγματα δυναμικών μεταβλητών σε τιμολόγια:
+
+- "Συνδρομή γυμναστηρίου μήνας :MONTH" >> "Συνδρομή γυμναστηρίου μήνας Ιούλιος"
+- ":YEAR+1 ετήσια συνδρομή" >> "2015 ετήσια συνδρομή"
+- "Προκαταβολή πληρωμής για το :QUARTER+1" >> "Προκαταβολή πληρωμής για το Τρίμηνο 2"
+
',
+ 'recurring_quotes' => 'Επαναλαμβανόμενες Προσφορές',
+ 'in_total_revenue' => 'στα συνολικά έσοδα',
+ 'billed_client' => 'τιμολογημένος πελάτης',
+ 'billed_clients' => 'τιμολογημένοι πελάτες',
+ 'active_client' => 'ενεργός πελάτης',
+ 'active_clients' => 'ενεργοί πελάτες',
+ 'invoices_past_due' => 'Ληγμένα Τιμολόγια',
+ 'upcoming_invoices' => 'Προσεχή Τιμολόγια',
+ 'average_invoice' => 'Μέσος Όρος Τιμολογίων',
+ 'archive' => 'Αρχειοθέτηση',
+ 'delete' => 'Διαγραφή',
+ 'archive_client' => 'Αρχειοθέτηση Πελάτη',
+ 'delete_client' => 'Διαγραφή Πελάτη',
+ 'archive_payment' => 'Αρχειοθέτηση Πληρωμής',
+ 'delete_payment' => 'Διαγραφή Πληρωμής',
+ 'archive_credit' => 'Αρχειοθέτηση Πίστωσης',
+ 'delete_credit' => 'Διαγραφή Πίστωσης',
+ 'show_archived_deleted' => 'Προβολή αρχειοθετημένων/διεγραμμένων',
+ 'filter' => 'Φίλτρο',
+ 'new_client' => 'Νέος Πελάτης',
+ 'new_invoice' => 'Νέο Τιμολόγιο',
+ 'new_payment' => 'Εισάγετε πληρωμή',
+ 'new_credit' => 'Εισάγετε Πίστωση',
+ 'contact' => 'Επαφή',
+ 'date_created' => 'Ημ/νία Δημιουργίας',
+ 'last_login' => 'Τελευταία Είσοδος',
+ 'balance' => 'Υπόλοιπο',
+ 'action' => 'Ενέργεια',
+ 'status' => 'Κατάσταση',
+ 'invoice_total' => 'Σύνολο Τιμολογίου',
+ 'frequency' => 'Συχνότητα',
+ 'start_date' => 'Ημ/νία Έναρξης',
+ 'end_date' => 'Ημ/νία Λήξης',
+ 'transaction_reference' => 'Κωδικός Συναλλαγής',
+ 'method' => 'Μέθοδος',
+ 'payment_amount' => 'Ποσό Πληρωμής',
+ 'payment_date' => 'Ημ/νία Πληρωμής',
+ 'credit_amount' => 'Ποσό Πίστωσης',
+ 'credit_balance' => 'Υπόλοιπο Πίστωσης',
+ 'credit_date' => 'Ημ/νία Πίστωσης',
+ 'empty_table' => 'Δεν υπάρχουν διαθέσιμα δεδομένα',
+ 'select' => 'Επιλογή',
+ 'edit_client' => 'Επεξεργασία Πελάτη',
+ 'edit_invoice' => 'Επεξεργασία Τιμολογίου',
+ 'create_invoice' => 'Δημιουργία Τιμολογίου',
+ 'enter_credit' => 'Καταχώρηση Πίστωσης',
+ 'last_logged_in' => 'Τελευταία είσοδος',
+ 'details' => 'Στοιχεία',
+ 'standing' => 'Θέση',
+ 'credit' => 'Πίστωση',
+ 'activity' => 'Δραστηριότητα',
+ 'date' => 'Ημερομηνία',
+ 'message' => 'Μήνυμα',
+ 'adjustment' => 'Προσδιορισμός',
+ 'are_you_sure' => 'Είστε σίγουροι;',
+ 'payment_type_id' => 'Τύπος Πληρωμής',
+ 'amount' => 'Ποσό',
+ 'work_email' => 'Email',
+ 'language_id' => 'Γλώσσα',
+ 'timezone_id' => 'Ζώνη ώρας',
+ 'date_format_id' => 'Μορφή Ημερομηνίας',
+ 'datetime_format_id' => 'Μορφή Ημερομηνίας/Ώρας',
+ 'users' => 'Χρήστες',
+ 'localization' => 'Τοπικές Ρυθμίσεις',
+ 'remove_logo' => 'Διαγραφή λογότυπου',
+ 'logo_help' => 'Υποστηρίζονται: JPEG, GIF και PNG',
+ 'payment_gateway' => 'Πύλη Πληρωμών (Gateway)',
+ 'gateway_id' => 'Πύλη Πληρωμής (Gateway)',
+ 'email_notifications' => 'Ειδοποιήσεις Email',
+ 'email_sent' => 'Αποστολή email όταν το τιμολόγιο σταλεί',
+ 'email_viewed' => 'Αποστολή email όταν το τιμολόγιο προβληθεί',
+ 'email_paid' => 'Αποστολή email όταν το τιμολόγιο πληρωθεί',
+ 'site_updates' => 'Ενημερώσεις Ιστοσελίδας',
+ 'custom_messages' => 'Προσαρμοσμένα Μηνύματα',
+ 'default_email_footer' => 'Ορισμός προεπιλεγμένης υπογραφής email',
+ 'select_file' => 'Παρακαλώ επιλέξτε ένα αρχείο',
+ 'first_row_headers' => 'Χρήση της πρώτης σειράς ως επικεφαλίδες',
+ 'column' => 'Κολόνα',
+ 'sample' => 'Παράδειγμα',
+ 'import_to' => 'Εισαγωγή σε',
+ 'client_will_create' => 'πελάτης θα δημιουργηθεί',
+ 'clients_will_create' => 'πελάτες θα δημιουργηθούν',
+ 'email_settings' => 'Ρυθμίσεις Email',
+ 'client_view_styling' => 'Στυλ Προβολής Πελάτη',
+ 'pdf_email_attachment' => 'Επισύναψε PDF',
+ 'custom_css' => 'Προσαρμοσμένο CSS',
+ 'import_clients' => 'Εισαγωγή Δεδομένων Πελάτη',
+ 'csv_file' => 'Αρχείο CSV',
+ 'export_clients' => 'Εξαγωγή Δεδομένων Πελάτη',
+ 'created_client' => 'Επιτυχής δημιουργία πελάτη',
+ 'created_clients' => 'Επιτυχής δημιουργία :count πελατών',
+ 'updated_settings' => 'Επιτυχής ενημέρωση ρυθμίσεων',
+ 'removed_logo' => 'Επιτυχής διαγραφή λογότυπου',
+ 'sent_message' => 'Επιτυχής αποστολή μηνύματος',
+ 'invoice_error' => 'Παρακαλώ σιγουρευτείτε ότι επιλέξατε ένα πελάτη και διορθώσατε τυχόν σφάλματα',
+ 'limit_clients' => 'Λυπάμαι, αυτό υπερβαίνει το όριο των :count πελατών',
+ 'payment_error' => 'Προέκυψε ένα σφάλμα κατά τη διαδικασία της πληρωμής. Παρακαλώ, δοκιμάστε ξανά σε λίγο.',
+ 'registration_required' => 'Παρακαλώ, εγγραφείτε για να αποστείλετε ένα τιμολόγιο',
+ 'confirmation_required' => 'Παρακαλώ επιβεβαιώστε τη διεύθυνση email, :link για να ξαναστείλετε το email επιβεβαίωσης.',
+ 'updated_client' => 'Επιτυχής ενημέρωση πελάτη',
+ 'created_client' => 'Επιτυχής δημιουργία πελάτη',
+ 'archived_client' => 'Επιτυχής αρχειοθέτηση πελάτη',
+ 'archived_clients' => 'Επιτυχής αρχειοθέτηση :count πελατών',
+ 'deleted_client' => 'Επιτυχής διαγραφή πελάτη',
+ 'deleted_clients' => 'Επιτυχής διαγραφή :count πελατών',
+ 'updated_invoice' => 'Επιτυχής ενημέρωση τιμολογίου',
+ 'created_invoice' => 'Επιτυχής δημιουργία τιμολογίου',
+ 'cloned_invoice' => 'Επιτυχής κλωνοποίηση τιμολογίου',
+ 'emailed_invoice' => 'Επιτυχής αποστολή τιμολογίου',
+ 'and_created_client' => 'και δημιουργήθηκε ο πελάτης',
+ 'archived_invoice' => 'Επιτυχής αρχειοθέτηση τιμολογίου',
+ 'archived_invoices' => 'Επιτυχής αρχειοθέτηση :count τιμολογίων',
+ 'deleted_invoice' => 'Επιτυχής διαγραφή τιμολογίου',
+ 'deleted_invoices' => 'Επιτυχής διαγραφή :count τιμολογίων',
+ 'created_payment' => 'Επιτυχής δημιουργία πληρωμής',
+ 'created_payments' => 'Επιτυχής δημιουργία :count πληρωμών',
+ 'archived_payment' => 'Επιτυχής αρχειοθέτηση πληρωμής',
+ 'archived_payments' => 'Επιτυχής αρχειοθέτηση :count πληρωμών',
+ 'deleted_payment' => 'Επιτυχής διαγραφή πληρωμής',
+ 'deleted_payments' => 'Επιτυχής διαγραφή :count πληρωμών',
+ 'applied_payment' => 'Επιτυχής εφαρμογή πληρωμής',
+ 'created_credit' => 'Επιτυχής δημιουργία πίστωσης',
+ 'archived_credit' => 'Επιτυχής αρχειοθέτηση πίστωσης',
+ 'archived_credits' => 'Επιτυχής αρχειοθέτηση :count πιστώσεων',
+ 'deleted_credit' => 'Επιτυχής διαγραφή πίστωσης',
+ 'deleted_credits' => 'Επιτυχής διαγραφή :count πιστώσεων',
+ 'imported_file' => 'Επιτυχής εισαγωγή αρχείου',
+ 'updated_vendor' => 'Επιτυχής ενημέρωση προμηθευτή',
+ 'created_vendor' => 'Επιτυχής δημιουργία προμηθευτή',
+ 'archived_vendor' => 'Επιτυχής αρχειοθέτηση προμηθευτή',
+ 'archived_vendors' => 'Επιτυχής αρχειοθέτηση :count προμηθευτών',
+ 'deleted_vendor' => 'Επιτυχής διαγραφή προμηθευτή',
+ 'deleted_vendors' => 'Επιτυχής διαγραφή :count προμηθευτών',
+ 'confirmation_subject' => 'Επιβεβαίωση Λογαριασμού Invoice Ninja',
+ 'confirmation_header' => 'Επιβεβαίωση Λογαριασμού',
+ 'confirmation_message' => 'Παρακαλω, πατήστε τον παρακάτω σύνδεσμο για να επιβεβαιώσετε το λογαριασμό σας.',
+ 'invoice_subject' => 'Νέο τιμολόγιο :number από :account',
+ 'invoice_message' => 'Για να δείτε το τιμολόγιο των :amount, πατήστε τον παρακάτω σύνδεσμο.',
+ 'payment_subject' => 'Λήψη Πληρωμής',
+ 'payment_message' => 'Ευχαριστούμε για την πληρωμή των :amount.',
+ 'email_salutation' => 'Αγαπητέ(-ή) :name,',
+ 'email_signature' => 'Με εκτίμηση,',
+ 'email_from' => 'Η Ομάδα του Invoice Ninja',
+ 'invoice_link_message' => 'Για να δείτε το τιμολόγιο πατήστε τον παρακάτω σύνδεσμο:',
+ 'notification_invoice_paid_subject' => 'Το τιμολόγιο :invoice πληρώθηκε από :client',
+ 'notification_invoice_sent_subject' => 'Το τιμολόγιο :invoice απεστάλη σε :client',
+ 'notification_invoice_viewed_subject' => 'Το τιμολόγιο :invoice προβλήθηκε σε :client',
+ 'notification_invoice_paid' => 'Πληρωμή ποσού :amount έγινε από τον πελάτη :client για το Τιμολόγιο :invoice',
+ 'notification_invoice_sent' => 'Στον πελάτη :client απεστάλη το Τιμολόγιο :invoice ποσού :amount.',
+ 'notification_invoice_viewed' => 'Ο πελάτης :client είδε το Τιμολόγιο :invoice ποσού :amount.',
+ 'reset_password' => 'Μπορείτε να επαναφέρετε τον κωδικό του λογαριασμού σας πατώντας τον παρακάτω σύνδεσμο:',
+ 'secure_payment' => 'Ασφαλής Πληρωμή',
+ 'card_number' => 'Αριθμός Κάρτας',
+ 'expiration_month' => 'Μήνας Λήξης',
+ 'expiration_year' => 'Έτος Λήξης',
+ 'cvv' => 'CVV',
+ 'logout' => 'Αποσύνδεση',
+ 'sign_up_to_save' => 'Εγγραφείτε για να σώσετε την εργασία σας',
+ 'agree_to_terms' => 'Συμφωνώ με τους όρους',
+ 'terms_of_service' => 'Όροι της Υπηρεσίας',
+ 'email_taken' => 'Η διεύθυνση email έχει ήδη καταχωρηθεί',
+ 'working' => 'Σε εξέλιξη',
+ 'success' => 'Επιτυχία',
+ 'success_message' => 'Εγγραφήκατε επιτυχώς! Παρακαλώ, επισκευθείτε το σύνδεσμο στο email επιβεβαίωσης για να επικυρώσετε τη διεύθυνση email.',
+ 'erase_data' => 'Ο λογαριασμός σας δεν είναι εγγεγραμμένος, αυτό θα διαγράψει οριστικά τα δεδομένα σας.',
+ 'password' => 'Κωδικός Πρόσβασης',
+ 'pro_plan_product' => 'Επαγγελματικό Πλάνο',
+ 'pro_plan_success' => 'Ευχαριστούμε που επιλέξατε το Invoice Ninja\'s Pro plan!
+Επόμενα ΒήματαΈνα τιμολόγιο προς πληρωμή έχει αποσταλεί στη διεύθυνση
+email που είναι συνδεδεμένη με το λογαριασμό σας. Για να ξεκλειδώσετε όλα τα
+εντυπωσιακά χαρακτηριστικά του Pro Plan, παρακαλώ ακολουθήστε τις οδηγίες
+στο τιμολόγιο για να πληρώσετε για ένα χρόνο τιμολόγησης επιπέδου Pro.
+Δε βρίσκετε το τιμολόγιο; Χρειάζεστε περισσότερη βοήθεια; Είμαστε ευτυχείς
+να σας βοηθήσουμε. Στείλτε μας email στο contact@invoiceninja.com\',',
+ 'unsaved_changes' => 'Έχετε μη αποθηκευμένες αλλαγές',
+ 'custom_fields' => 'Προσαρμοσμένα Πεδία',
+ 'company_fields' => 'Πεδία Εταιρείας',
+ 'client_fields' => 'Πεδία Πελάτη',
+ 'field_label' => 'Ετικέτα Πεδίου',
+ 'field_value' => 'Τιμή Πεδίου',
+ 'edit' => 'Επεξεργασία',
+ 'set_name' => 'Ορίστε την επωνυμία της εταιρείας',
+ 'view_as_recipient' => 'Προβολή ως παραλήπτης',
+ 'product_library' => 'Βιβλιοθήκη Προϊόντων',
+ 'product' => 'Προϊόν',
+ 'products' => 'Προϊόντα',
+ 'fill_products' => 'Αυτόματη συμπλήρωση προϊόντων',
+ 'fill_products_help' => 'Επιλέγοντας ένα προϊόν, αυτόματα θα συμπληρωθεί η περιγραφή και η αξία',
+ 'update_products' => 'Αυτόματη ενημέρωση προϊόντων',
+ 'update_products_help' => 'Ενημερώνοντας ένα τιμολόγιο, αυτόματα θα ενημερωθεί και η βιβλιοθήκη προϊόντων',
+ 'create_product' => 'Προσθήκη Προϊόντος',
+ 'edit_product' => 'Επεξεργασία Προϊόντος',
+ 'archive_product' => 'Αρχειοθέτηση Προϊόντος',
+ 'updated_product' => 'Επιτυχής ενημέρωση προϊόντος',
+ 'created_product' => 'Επιτυχής δημιουργία προϊόντος',
+ 'archived_product' => 'Επιτυχής αρχειοθέτηση προϊόντος',
+ 'pro_plan_custom_fields' => ':link για να ενεργοποιήσετε τα προσαρμοσμένα πεδία προσχωρώντας στο Pro Plan',
+ 'advanced_settings' => 'Ρυθμίσεις για Προχωρημένους',
+ 'pro_plan_advanced_settings' => ':link για να ενεργοποιήσετε τις ρυθμίσεις για προχωρημένους προσχωρώντας στο Pro Plan',
+ 'invoice_design' => 'Σχεδίαση Τιμολογίου',
+ 'specify_colors' => 'Προσδιορισμός χρωμάτων',
+ 'specify_colors_label' => 'Επιλέξτε τα χρώματα που χρησιμοποιούνται στο τιμολόγιο',
+ 'chart_builder' => 'Κατασκευή Γραφήματος',
+ 'ninja_email_footer' => 'Δημιουργήθηκε με :site | Δημιουργήστε. Αποστείλετε. Εξοφληθείτε.',
+ 'go_pro' => 'Πήγαινε στην Επαγγελματική έκδοση',
+ 'quote' => 'Προσφορά',
+ 'quotes' => 'Προσφορές',
+ 'quote_number' => 'Αριθμός Προσφοράς',
+ 'quote_number_short' => 'Προσφορά #',
+ 'quote_date' => 'Ημ/νία Προσφοράς',
+ 'quote_total' => 'Σύνολο Προσφοράς',
+ 'your_quote' => 'Η Προσφορά σας',
+ 'total' => 'Σύνολο',
+ 'clone' => 'Κλωνοποίηση',
+ 'new_quote' => 'Νέα Προσφορά',
+ 'create_quote' => 'Δημιουργία Προσφοράς',
+ 'edit_quote' => 'Επεξεργασία Προσφοράς',
+ 'archive_quote' => 'Αρχειοθέτηση Προσφοράς',
+ 'delete_quote' => 'Διαγραφή Προσφοράς',
+ 'save_quote' => 'Αποθήκευση Προσφοράς',
+ 'email_quote' => 'Αποστολή Προσφοράς',
+ 'clone_quote' => 'Κλωνοποίηση σε Προσφορά',
+ 'convert_to_invoice' => 'Μετατροπή σε Τιμολόγιο',
+ 'view_invoice' => 'Προβολή Τιμολογίου',
+ 'view_client' => 'Προβολή Πελάτη',
+ 'view_quote' => 'Προβολή Προσφοράς',
+ 'updated_quote' => 'Επιτυχής ενημέρωση προσφοράς',
+ 'created_quote' => 'Επιτυχής δημιουργία προσφοράς',
+ 'cloned_quote' => 'Επιτυχής κλωνοποίηση προσφοράς',
+ 'emailed_quote' => 'Επιτυχής αποστολή προσφοράς',
+ 'archived_quote' => 'Επιτυχής αρχειοθέτηση προσφοράς',
+ 'archived_quotes' => 'Επιτυχής αρχειοθέτηση :count προσφορών',
+ 'deleted_quote' => 'Επιτυχής διαγραφή προσφοράς',
+ 'deleted_quotes' => 'Επιτυχής διαγραφή :count προσφορών',
+ 'converted_to_invoice' => 'Επιτυχής μετατροπή προσφοράς σε τιμολόγιο',
+ 'quote_subject' => 'Νέα προσφορά :number από :account',
+ 'quote_message' => 'Για να δείτε την προσφορά ποσού :amount, πατήστε τον παρακάτω σύνδεσμο.',
+ 'quote_link_message' => 'Για να δείτε την προσφορά του πελάτη σας, πατήστε τον παρακάτω σύνδεσμο:',
+ 'notification_quote_sent_subject' => 'Η προσφορά :invoice απεστάλη στον πελάτη :client',
+ 'notification_quote_viewed_subject' => 'Η προσφορά :invoice προβλήθηκε στον πελάτη :client',
+ 'notification_quote_sent' => 'Απεστάλη Προσφορά :invoice αξίας :amount στον πελάτη :client.',
+ 'notification_quote_viewed' => 'Ο πελάτης :client είδε την Προσφορά :invoice αξίας :amount.',
+ 'session_expired' => 'Η συνεδρία σας έληξε',
+ 'invoice_fields' => 'Πεδία Τιμολογίου',
+ 'invoice_options' => 'Επιλογές Τιμολογίου',
+ 'hide_paid_to_date' => 'Απόκρυψη Εξοφλημένου Ποσού',
+ 'hide_paid_to_date_help' => 'Εμφάνιση πεδίου "Εξοφλημένο Ποσό" μόνο στο παραστατικό όταν ληφθεί μια πληρωμή.',
+ 'charge_taxes' => 'Χρέωση φόρων',
+ 'user_management' => 'Διαχειριση Χρηστών',
+ 'add_user' => 'Προσθήκη Χρήστη',
+ 'send_invite' => 'Αποστολή Πρόσκλησης',
+ 'sent_invite' => 'Επιτυχής αποστολή πρόσκλησης',
+ 'updated_user' => 'Επιτυχής ενημέρωση χρήστη',
+ 'invitation_message' => 'Έχετε προσκληθεί από :invitor.',
+ 'register_to_add_user' => 'Παρακαλώ, εγραφείτε για να προσθέσετε χρήστη',
+ 'user_state' => 'Κατάσταση',
+ 'edit_user' => 'Επεξεργασία Χρήστη',
+ 'delete_user' => 'Διαγραφή Χρήστη',
+ 'active' => 'Ενεργός',
+ 'pending' => 'Εκκρεμής',
+ 'deleted_user' => 'Επιτυχής διαγραφή χρήστη',
+ 'confirm_email_invoice' => 'Είστε σίγουροι ότι θέλετε να αποστείλετε αυτό το τιμολόγιο;',
+ 'confirm_email_quote' => 'Είστε σίγουροι ότι θέλετε να αποστείλετε αυτή την προσφορά;',
+ 'confirm_recurring_email_invoice' => 'Είστε σίγουροι ότι θέλετε να αποστέλλεται αυτό το παραστατικό;',
+ 'confirm_recurring_email_invoice_not_sent' => 'Είστε σίγουροι ότι θέλετε να ξεκινήσετε την επανάληψη ;',
+ 'cancel_account' => 'Διαγραφή Λογαριασμού',
+ 'cancel_account_message' => 'Προσοχή: Αυτό θα σβήσει το λογαριασμό σας, χωρίς δυνατότητα αναίρεσης.',
+ 'go_back' => 'Επιστροφή',
+ 'data_visualizations' => 'Απεικονίσεις Δεδομένων',
+ 'sample_data' => 'Εμφάνιση δείγματος δεδομένων',
+ 'hide' => 'Απόκρυψη',
+ 'new_version_available' => 'Μια νέα έκδοση του :releases_link είναι διαθέσιμη. Έχετε τη v:user_version, η τελευταία είναι η v:latest_version',
+ 'invoice_settings' => 'Ρυθμίσεις Τιμολογίου',
+ 'invoice_number_prefix' => 'Σειρά Τιμολογίου',
+ 'invoice_number_counter' => 'Αρίθμηση Τιμολογίου',
+ 'quote_number_prefix' => 'Σειρά Προσφοράς',
+ 'quote_number_counter' => 'Αρίθμηση Προσφοράς',
+ 'share_invoice_counter' => 'Μοιραστείτε τον μετρητή τιμολογίου',
+ 'invoice_issued_to' => 'Έκδοση τιμολογίου προς',
+ 'invalid_counter' => 'Για να αποφείγετε πιθανή σύγχυση, παρακαλώ ορίστε σειρά σε τιμολόγιο ή προσφορά',
+ 'mark_sent' => 'Σήμανση ως Απεσταλμένο',
+ 'gateway_help_1' => ':link για εγγραφή στο Authorize.net.',
+ 'gateway_help_2' => ':link για εγγραφή στο Authorize.net.',
+ 'gateway_help_17' => ':link για να πάρετε υπογραφή για το API του PayPal.',
+ 'gateway_help_27' => ':link για να εγγραφείτε στο 2Checkout.com. Για να βεβαιωθείτε ότι οι πληρωμές παρακολουθούνται ορίστε το :complete_link ως τη διέυθυνση ανακατεύθυνσης στο Λογαριασμός > Διαχείρισης Ιστοσελίδας στην ιστοσελίδα του 2Checkout.',
+ 'gateway_help_60' => ':link για δημιουργία λογαριασμού WePay.',
+ 'more_designs' => 'Περισσότερα σχέδια',
+ 'more_designs_title' => 'Επιπλέον Σχέδια Τιμολογίων',
+ 'more_designs_cloud_header' => 'Αποκτήστε την Επαγγελματική έκδοση για επιπλέον σχέδια τιμολογίων',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Αγορά',
+ 'bought_designs' => 'Επιπλέον σχέδια τιμολογίων προστέθηκαν με επιτυχία',
+ 'sent' => 'Απεσταλμένα',
+ 'vat_number' => 'ΑΦΜ',
+ 'timesheets' => 'Φύλλα χρονοχρέωσης',
+ 'payment_title' => 'Κατσχωρήστε τη Διεύθυνση Τιμολόγησης και τα στοιχεία της Πιστωτικής Κάρτας',
+ 'payment_cvv' => '*Αυτός είναι ο αριθμός 3-4 ψηφίων στο πίσω μέρος της κάρτας σας',
+ 'payment_footer1' => 'Η διεύθυνση τημολόγησης πρέπει να ταιριάζει με τη διεύθυνση που έχει δηλωθεί στην πιστωτική κάρτα.',
+ 'payment_footer2' => 'Παρακαλώ πατήστε "ΠΛΗΡΩΜΗ ΤΩΡΑ" μόνο μία φορά. Η συναλλαγή ενδέχεται να διαρκέσει ως και ένα λεπτό.',
+ 'id_number' => 'Αριθμός ID',
+ 'white_label_link' => 'Λευκή Ετικέτα',
+ 'white_label_header' => 'Λευκή Ετικέτα',
+ 'bought_white_label' => 'Επιτυχής ενεργοποίηση άδειας χρήσης λευκής ετικέτας',
+ 'white_labeled' => 'Εφαρμόσθηκε η λευκή ετικέτα',
+ 'restore' => 'Ανάκτηση',
+ 'restore_invoice' => 'Ανάκτηση Τιμολογίου',
+ 'restore_quote' => 'Ανάκτηση Προσφοράς',
+ 'restore_client' => 'Ανάκτηση Πελάτη',
+ 'restore_credit' => 'Ανάκτηση Πίστωσης',
+ 'restore_payment' => 'Ανάκτηση Πληρωμής',
+ 'restored_invoice' => 'Επιτυχής ανάκτηση τιμολογίου',
+ 'restored_quote' => 'Επιτυχής ανάκτηση προσφοράς',
+ 'restored_client' => 'Επιτυχής ανάκτηση πελάτη',
+ 'restored_payment' => 'Επιτυχής ανάκτηση πληρωμής',
+ 'restored_credit' => 'Επιτυχής ανάκτηση πίστωσης',
+ 'reason_for_canceling' => 'Βοηθήστε μας να βελτιώσουμε την ιστοσελίδα μας λέγοντάς μας γιατί φεύγετε.',
+ 'discount_percent' => 'Ποσοστό',
+ 'discount_amount' => 'Ποσό',
+ 'invoice_history' => 'Ιστορικό Τιμολογίου',
+ 'quote_history' => 'Ιστορικό Προσφοράς',
+ 'current_version' => 'Τρέχουσα έκδοση',
+ 'select_version' => 'Επιλογή έκδοσης',
+ 'view_history' => 'Προβολή Ιστορικού',
+ 'edit_payment' => 'Επεξεργασία Πληρωμής',
+ 'updated_payment' => 'Επιτυχής ενημέρωση πληρωμής',
+ 'deleted' => 'Διεγραμμένο',
+ 'restore_user' => 'Ανάκτηση Χρήστη',
+ 'restored_user' => 'Επιτυχής ανάκτηση χρήστη',
+ 'show_deleted_users' => 'Προβολή διεγραμμένων χρηστών',
+ 'email_templates' => 'Πρότυπα email',
+ 'invoice_email' => 'Email Τιμολογίων',
+ 'payment_email' => 'Email Πληρωμών',
+ 'quote_email' => 'Email Προσφορών',
+ 'reset_all' => 'Επαναφορά Όλων',
+ 'approve' => 'Αποδοχή',
+ 'token_billing_type_id' => 'Χρέωση Διακριτικού',
+ 'token_billing_help' => 'Στοιχεία πληρωμής με WePay, Stripe, Braintree ή GoCardless.',
+ 'token_billing_1' => 'Απενεργοποιημένο',
+ 'token_billing_2' => 'Opt-in - το checkbox εμφανίζεται αλλά όχι επιλεγμένο',
+ 'token_billing_3' => 'Opt-out - το checkbox εμφανίζεται και είναι επιλεγμένο',
+ 'token_billing_4' => 'Πάντα',
+ 'token_billing_checkbox' => 'Αποθήκευση στοιχείων πιστωτικής κάρτας',
+ 'view_in_gateway' => 'Προβολή σε :gateway',
+ 'use_card_on_file' => 'Χρήση του Card on File',
+ 'edit_payment_details' => 'Επεξεργασία στοιχείων πληρωμής',
+ 'token_billing' => 'Αποθήκευση στοιχείων κάρτας',
+ 'token_billing_secure' => 'Η κάρτα αποθηκεύεται με ασφάλεια με :link',
+ 'support' => 'Υποστήριξη',
+ 'contact_information' => 'Στοιχεία Επικοινωνίας',
+ '256_encryption' => 'Κωδικοποίηση 256-Bit',
+ 'amount_due' => 'Οφειλόμενο ποσό προς πληρωμή',
+ 'billing_address' => 'Διεύθυνση Τιμολόγησης',
+ 'billing_method' => 'Μέθοδος Τιμολόγησης',
+ 'order_overview' => 'Επισκόπηση Παραγγελίας',
+ 'match_address' => '*Η διεύθυνση πρέπει να ταιριάζει με αυτή της πιστωτικής κάρτας.',
+ 'click_once' => '*Παρακαλώ πατήστε το "ΠΛΗΡΩΜΗ ΤΩΡΑ" μόνο μία φορά. Η διαδικασία της συναλλαγής μπορεί να διαρκέσαι ως και 1 λεπτό.',
+ 'invoice_footer' => 'Υποσέλιδο Τιμολογίου',
+ 'save_as_default_footer' => 'Αποθήκευση ως προεπιλεγμένο υποσέλιδο',
+ 'token_management' => 'Διαχείριση Διακριτικών',
+ 'tokens' => 'Διακριτικά',
+ 'add_token' => 'Προσθήκη Διακριτικού',
+ 'show_deleted_tokens' => 'Προβολή διεγραμμένων διακριτικών',
+ 'deleted_token' => 'Επιτυχής διαγραφή διακριτικού',
+ 'created_token' => 'Επιτυχής δημιουργία διακριτικού',
+ 'updated_token' => 'Επιτυχής ενημέρωση διακριτικού',
+ 'edit_token' => 'Επεξεργασία Διακριτικού',
+ 'delete_token' => 'Διαγραφή Διακριτικού',
+ 'token' => 'Διακριτικό',
+ 'add_gateway' => 'Προσθήκη Πύλης Πληρωμών (Gateway)',
+ 'delete_gateway' => 'Διαγραφή Πύλης Πληρωμών (Gateway)',
+ 'edit_gateway' => 'Επεξεργασία Πύλης Πληρωμών (Gateway)',
+ 'updated_gateway' => 'Επιτυχής ενημέρωση πύλης πληρωμών (Gateway)',
+ 'created_gateway' => 'Επιτυχής δημιουργία πύλης πληρωμών (Gateway)',
+ 'deleted_gateway' => 'Επιτυχής διαγραφή πύλης πληρωμών (Gateway)',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Πιστωτική Κάρτα',
+ 'change_password' => 'Αλλαγή κωδικού πρόσβασης',
+ 'current_password' => 'Τρέχων κωδικός Πρόσβασης',
+ 'new_password' => 'Νέος κωδικός Πρόσβασης',
+ 'confirm_password' => 'Επιβεβαίωση κωδικού πρόσβασης',
+ 'password_error_incorrect' => 'Ο τρέχων κωδικός πρόσβασης είναι λανθασμένος.',
+ 'password_error_invalid' => 'Ο νέος κωδικός πρόσβασης δεν είναι έγκυρος.',
+ 'updated_password' => 'Επιτυχής ενημέρωση κωδικού πρόσβασης',
+ 'api_tokens' => 'Διακριτικά API',
+ 'users_and_tokens' => 'Χρήστες & Διακριτικά',
+ 'account_login' => 'Είσοδος στο Λογαριασμό',
+ 'recover_password' => 'Ανάκτηση του κωδικού πρόσβασής σας',
+ 'forgot_password' => 'Ξεχάσατε τον κωδικό πρόσβασής σας;',
+ 'email_address' => 'Διεύθυνση email',
+ 'lets_go' => 'Πάμε',
+ 'password_recovery' => 'Ανάκτηση Κωδικού Πρόσβασης',
+ 'send_email' => 'Αποστολή Email',
+ 'set_password' => 'Ορισμός Κωδικού Πρόσβασης',
+ 'converted' => 'Μετατράπηκε',
+ 'email_approved' => 'Αποστολή email μόλις η προσφορά είναι αποδεκτή',
+ 'notification_quote_approved_subject' => 'Η προσφορά :invoice έγινε αποδεκτή από :client',
+ 'notification_quote_approved' => 'Ο πελάτης :client αποδέχτηκε την Προσφορά :invoice ποσού :amount.',
+ 'resend_confirmation' => 'Νέα αποστολή email επιβεβαίωσης',
+ 'confirmation_resent' => 'Το email επιβεβαίωσης εστάλη ξανά',
+ 'gateway_help_42' => ':link για να εγγραφείτε στο BitPay.
Σημείωση: χρησιμοποιήστε ένα παλαιού τύπου κλειδί API, όχι ένα διακριτικό API.',
+ 'payment_type_credit_card' => 'Πιστωτική Κάρτα',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Γνωσιακή Βάση',
+ 'partial' => 'Μερικό/Κατάθεση',
+ 'partial_remaining' => ':partial από :balance',
+ 'more_fields' => 'Περισσότερα Πεδία',
+ 'less_fields' => 'Λιγότερα Πεδία',
+ 'client_name' => 'Όνομα Πελάτη',
+ 'pdf_settings' => 'Ρυθμίσεις PDF',
+ 'product_settings' => 'Ρυθμίσεις Προϊόντων',
+ 'auto_wrap' => 'Αυτόματη Αναδίπλωση Γραμμής',
+ 'duplicate_post' => 'Προειδοποίηση: Η προηγούμενη σελίδα υποβλήθηκε δύο φορές. Η δεύτερη υποβολή αγνοήθηκε.',
+ 'view_documentation' => 'Προβολή Τεκμηρίωσης',
+ 'app_title' => 'Δωρεάν Ανοιχτού-Κώδικα Online Τιμολόγηση',
+ 'app_description' => 'Το Invoice Ninja είναι μια δωρεάν, ανοιχτού-κώδικα λύση για τιμολόγηση πελατών. Με το Invoice Ninja μπορείτε να εύκολα δημιουργήσετε και να στείλετε όμορφα τιμολόγια από οποιαδήποτε συσκευή που έχει πρόσβαση στο internet. Οι πελάτες σας μπορούν να τυπώνουν τα τιμολόγιά σας, να τα κατεβάζουν σε pdf ή ακόμα και να πληρώνουν online μέσα από το σύστημα.',
+ 'rows' => 'γραμμές',
+ 'www' => 'www',
+ 'logo' => 'Λογότυπο',
+ 'subdomain' => 'Υποτομέας',
+ 'provide_name_or_email' => 'Παρακαλώ συμπληρώστε ένα όνομα ή email',
+ 'charts_and_reports' => 'Διαγράμματα & Αναφορές',
+ 'chart' => 'Διάγραμμα',
+ 'report' => 'Αναφορά',
+ 'group_by' => 'Ομαδοποίηση με',
+ 'paid' => 'Πληρωμένα',
+ 'enable_report' => 'Αναφορά',
+ 'enable_chart' => 'Διάγραμμα',
+ 'totals' => 'Σύνολα',
+ 'run' => 'Εκτέλεση',
+ 'export' => 'Εξαγωγή',
+ 'documentation' => 'Τεκμηρίωση',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Επαναλαμβανόμενο',
+ 'last_invoice_sent' => 'Το τελευταίο τιμολόγιο εστάλη στις :date',
+ 'processed_updates' => 'Επιτυχής ολοκλήρωση της ενημέρωσης',
+ 'tasks' => 'Εργασίες',
+ 'new_task' => 'Νέα Εργασία',
+ 'start_time' => 'Ώρα Έναρξης',
+ 'created_task' => 'Επιτυχής δημιουργία εργασίας',
+ 'updated_task' => 'Επιτυχής ενημέρωση εργασίας',
+ 'edit_task' => 'Επεξεργασία Εργασίας',
+ 'archive_task' => 'Αρχειοθέτηση Εργασίας',
+ 'restore_task' => 'Ανάκτηση Εργασίας',
+ 'delete_task' => 'Διαγραφή Εργασίας',
+ 'stop_task' => 'Διακοπή Εργασίας',
+ 'time' => 'Ώρα',
+ 'start' => 'Έναρξη',
+ 'stop' => 'Λήξη',
+ 'now' => 'Τώρα',
+ 'timer' => 'Μετρητής',
+ 'manual' => 'Χειροκίνητο',
+ 'date_and_time' => 'Ημερομηνία & Ώρα',
+ 'second' => 'Δευτερόλεπτο',
+ 'seconds' => 'Δευτερόλεπτα',
+ 'minute' => 'Λεπτό',
+ 'minutes' => 'Λεπτά',
+ 'hour' => 'Ώρα',
+ 'hours' => 'Ώρες',
+ 'task_details' => 'Στοιχεία Εργασίας',
+ 'duration' => 'Διάρκεια',
+ 'end_time' => 'Ώρα Λήξης',
+ 'end' => 'Λήξη',
+ 'invoiced' => 'Τιμολογημένα',
+ 'logged' => 'Εισηγμένο',
+ 'running' => 'Εκτελείται',
+ 'task_error_multiple_clients' => 'Οι εργασίες δε μπορούν να ανήκουν σε διαφορετικούς πελάτες',
+ 'task_error_running' => 'Παρακαλώ διακόψτε την εκτέλεση εργασιών πρώτα',
+ 'task_error_invoiced' => 'Οι εργασίες έχουν ήδη τιμολογηθεί',
+ 'restored_task' => 'Επιτυχής ανάκτηση εργασίας',
+ 'archived_task' => 'Επιτυχής αρχειοθέτηση εργασίας',
+ 'archived_tasks' => 'Επιτυχής αρχειοθέτηση :count εργασιών',
+ 'deleted_task' => 'Επιτυχής διαγραφή εργασίας',
+ 'deleted_tasks' => 'Επιτυχής διαγραφή :count εργασιών',
+ 'create_task' => 'Δημιουργία Εργασίας',
+ 'stopped_task' => 'Επιτυχής διακοπή εργασίας',
+ 'invoice_task' => 'Τιμολόγηση Εργασίας',
+ 'invoice_labels' => 'Ετικέτες Τιμολογίων',
+ 'prefix' => 'Πρόθεμα',
+ 'counter' => 'Μετρητής',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link για εγγραφή στο Dwolla',
+ 'partial_value' => 'Πρέπει να είναι μεγαλύτερο του μηδενός και μικρότερο από το σύνολο.',
+ 'more_actions' => 'Περισσότερες Ενέργειες',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Αναβαθμίστε Τώρα!',
+ 'pro_plan_feature1' => 'Δημιουργία Απεριόριστων Πελατών',
+ 'pro_plan_feature2' => 'Πρόσβαση σε 10 Όμορφα Σχέδια Τιμολογίων',
+ 'pro_plan_feature3' => 'Προσαρμοσμένες διευθύνσεις URL - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Αφαίρεση του "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Πρόσβαση Πολλαπλών Χρηστών & Καταγραφή Δραστηριότητας',
+ 'pro_plan_feature6' => 'Δημιουργία Προσφορών & Προτιμολογίων',
+ 'pro_plan_feature7' => 'Προσαρμογή Τίτλων Πεδίων & Αριθμήσεων',
+ 'pro_plan_feature8' => 'Επιλογές στην την Επισύναψη αρχείων PDF στα Emails πελατών',
+ 'resume' => 'Συνέχισε',
+ 'break_duration' => 'Διέκοψε',
+ 'edit_details' => 'Επεξεργασία Στοιχείων',
+ 'work' => 'Εργασία',
+ 'timezone_unset' => 'Παρακαλώ :link για να ορίσετε τη ζώνη ώρας',
+ 'click_here' => 'πατήστε εδώ',
+ 'email_receipt' => 'Αποστολή απόδειξης πληρωμής στον πελάτη',
+ 'created_payment_emailed_client' => 'Επιτυχής δημιουργία πληρωμής και αποστολής της στον πελάτη',
+ 'add_company' => 'Προσθήκη Εταιρείας',
+ 'untitled' => 'Ανώνυμο',
+ 'new_company' => 'Νέα Εταιρεία',
+ 'associated_accounts' => 'Επιτυχής σύνδεση λογαριασμών',
+ 'unlinked_account' => 'Επιτυχής αποσύνδεση λογαριασμών',
+ 'login' => 'Είσοδος',
+ 'or' => 'ή',
+ 'email_error' => 'Προέκυψε πρόβλημα κατά την αποστολή του email',
+ 'confirm_recurring_timing' => 'Σημείωση: τα email στέλνονται στην αρχή κάθε ώρας',
+ 'confirm_recurring_timing_not_sent' => 'Σημείωση: τα τιμολόγια δημιουργούνται στην έναρξη της ώρας.',
+ 'payment_terms_help' => 'Ορίζει την προεπιλεγμένη ημερομηνία πληρωμής των τιμολογίων',
+ 'unlink_account' => 'Αποδύνδεση Λογαριασμού',
+ 'unlink' => 'Αποσύνδεση',
+ 'show_address' => 'Προβολή Διεύθυνσης',
+ 'show_address_help' => 'Απαίτηση από τον πελάτη να συμπληρώσει τη διεύθυνση τιμολόγησης',
+ 'update_address' => 'Ενημέρωση Διεύθυνσης',
+ 'update_address_help' => 'Ενημέρωση της διεύθυνσης του πελάτη με τα παρεχόμενα στοιχεία',
+ 'times' => 'Φορές',
+ 'set_now' => 'Όρισε το στο τώρα',
+ 'dark_mode' => 'Σκοτεινό Περιβάλλον',
+ 'dark_mode_help' => 'Χρήση σκούρου υπόβαθρου για τις πλαϊνές μπάρες',
+ 'add_to_invoice' => 'Προσθήκη στο Τιμολόγιο :Invoice',
+ 'create_new_invoice' => 'Δημιουργία νέου τιμολογίου',
+ 'task_errors' => 'Παρακαλώ διορθώστε τυχόν επικαλυπτόμενες ώρες',
+ 'from' => 'Από',
+ 'to' => 'Προς',
+ 'font_size' => 'Μέγεθος Γραμμάτων',
+ 'primary_color' => 'Κύριο Χρώμα',
+ 'secondary_color' => 'Δευτερεύον Χρώμα',
+ 'customize_design' => 'Προσαρμογή Σχεδίου',
+ 'content' => 'Περιεχόμενο',
+ 'styles' => 'Στυλ',
+ 'defaults' => 'Προεπιλογές',
+ 'margins' => 'Περιθώρια',
+ 'header' => 'Επικεφαλίδα',
+ 'footer' => 'Υποσέλιδο',
+ 'custom' => 'Προσαρμοσμένο',
+ 'invoice_to' => 'Τιμολόγιο προς',
+ 'invoice_no' => 'Αρ. Τιμολογίου',
+ 'quote_no' => 'Προσφορά Αρ.',
+ 'recent_payments' => 'Πρόσφατες Πληρωμές',
+ 'outstanding' => 'Εκκρεμή',
+ 'manage_companies' => 'Διαχείριση Εταιρειών',
+ 'total_revenue' => 'Συνολικά Έσοδα',
+ 'current_user' => 'Τρέχων Χρήστης',
+ 'new_recurring_invoice' => 'Νέο Επαναλαμβανόμενο Τιμολόγιο',
+ 'recurring_invoice' => 'Επαναλαμβανόμενο Τιμολόγιο',
+ 'new_recurring_quote' => 'Νέα Επαναλαμβανόμενη Προσφορά',
+ 'recurring_quote' => 'Επαναλαμβανόμενη Προσφορά',
+ 'recurring_too_soon' => 'Είναι πολύ νωρίς για να δημιουργήσετε το επόμενο επαναλαμβανόμενο τιμολόγιο. Είναι προγραμματισμένο για την :date',
+ 'created_by_invoice' => 'Δημιουργήθηκε από :invoice',
+ 'primary_user' => 'Κύριος Χρήστης',
+ 'help' => 'Βοήθεια',
+ 'customize_help' => 'Χρησιμοποιούμε το :pdfmake_link για να ορίσουμε τα σχέδια των τιμολογίων. Το pdfmake :playground_link προσφέρει ένα υπέροχο τρόπο για να δείτε τη βιβλιοθήκη στην πράξη.
+ Εάν χρειάζεστε βοήθεια στην κατανόηση κάποιου θέματος μπορείτε να υποβάλετε μία ερώτηση στο :forum_link με την εμφάνιση που χρησιμοποιείτε.
',
+ 'playground' => 'παιδότοπος',
+ 'support_forum' => 'φόρουμ υποστήριξης',
+ 'invoice_due_date' => 'Ημερομηνία Πληρωμής',
+ 'quote_due_date' => 'Έγκυρο Έως',
+ 'valid_until' => 'Έγκυρο Έως',
+ 'reset_terms' => 'Επαναφορά όρων',
+ 'reset_footer' => 'Επαναφορά υποσέλιδου',
+ 'invoice_sent' => ':count τιμολόγιο στάλθηκε',
+ 'invoices_sent' => ':count τιμολόγια στάλθηκαν',
+ 'status_draft' => 'Πρόχειρο',
+ 'status_sent' => 'Απεσταλμένα',
+ 'status_viewed' => 'Εμφανισμένα',
+ 'status_partial' => 'Μερικό',
+ 'status_paid' => 'Πληρωμένα',
+ 'status_unpaid' => 'Μη εξοφλημένη',
+ 'status_all' => 'Όλα',
+ 'show_line_item_tax' => 'Εμφάνιση φόρου ανά προϊόν σε κάθε γραμμή',
+ 'iframe_url' => 'Ιστοσελίδα',
+ 'iframe_url_help1' => 'Αντιγράψτε τον παρακάτω κώδικα στη σελίδα του site σας.',
+ 'iframe_url_help2' => 'Μπορείτε να δοκιμάσετε το χαρακτιριστικό πατώντας \'Προβολή ως παραλήπτης\' για ένα τιμολόγιο.',
+ 'auto_bill' => 'Αυτόματη Χρέωση',
+ 'military_time' => '24ωρη εμφάνιση Ώρας',
+ 'last_sent' => 'Τελευταία Αποστολή',
+ 'reminder_emails' => 'Μηνύματα Υπενθύμισης',
+ 'templates_and_reminders' => 'Πρότυπα & Υπενθυμίσεις',
+ 'subject' => 'Θέμα',
+ 'body' => 'Κείμενο',
+ 'first_reminder' => 'Πρώτη Υπενθύμιση',
+ 'second_reminder' => 'Δεύτερη Υπενθύμιση',
+ 'third_reminder' => 'Τρίτη Υπενθύμιση',
+ 'num_days_reminder' => 'Ημέρες μετά την ημερομηνία πληρωμής',
+ 'reminder_subject' => 'Υπενθύμιση: Τιμολόγιο :invoice από :account',
+ 'reset' => 'Επαναφορά',
+ 'invoice_not_found' => 'Το ζητούμενο τιμολόγιο δεν είναι διαθέσιμο',
+ 'referral_program' => 'Πρόγραμμα Παραπομπής',
+ 'referral_code' => 'URL Παραπομπής',
+ 'last_sent_on' => 'Τελευταία Αποστολή: :date',
+ 'page_expire' => 'Αυτή η σελίδα θα λήξει σύντομα, :click_here για να συνεχίσετε τη λειτουργία της',
+ 'upcoming_quotes' => 'Προσεχείς Προσφορές',
+ 'expired_quotes' => 'Προσφορές που έληξαν',
+ 'sign_up_using' => 'Εγγραφείτε με',
+ 'invalid_credentials' => 'Αυτά τα στοιχεία εισόδου δεν ταιριάζουν με τα αρχεία μας',
+ 'show_all_options' => 'Προβολή όλων των επιλογών',
+ 'user_details' => 'Στοιχεία Χρήστη',
+ 'oneclick_login' => 'Συνδεδεμένος Λογαριασμός',
+ 'disable' => 'Απενεργοποίηση',
+ 'invoice_quote_number' => 'Αριθμήσεις Τιμολογίων και Προσφορών',
+ 'invoice_charges' => 'Επιβαρύνσεις Τιμολογίου',
+ 'notification_invoice_bounced' => 'Μας ήταν αδύνατο να παραδώσουμε το Τιμολόγιο:invoice στο :contact.',
+ 'notification_invoice_bounced_subject' => 'Αδυναμία παράδοσης Τιμολογίου :invoice',
+ 'notification_quote_bounced' => 'Μας ήταν αδύνατο να παραδώσουμε την Προσφορά :invoice στο :contact.',
+ 'notification_quote_bounced_subject' => 'Αδυναμία παράδοσης Προσφοράς :invoice',
+ 'custom_invoice_link' => 'Προσαρμοσμένος Σύνδεσμος Τιμολογίου',
+ 'total_invoiced' => 'Σύνολο Τιμολογημένων',
+ 'open_balance' => 'Ανοιχτό Υπόλοιπο',
+ 'verify_email' => 'Παρακαλώ επισκεφθείτε το σύνδεσμο στο email επιβεβαίωσης λογαριασμού για να επικυρώσετε την email διεύθυνσή σας.',
+ 'basic_settings' => 'Βασικές Ρυθμίσεις',
+ 'pro' => 'Επαγγελματική',
+ 'gateways' => 'Πύλες Πληρωμών (Gateways)',
+ 'next_send_on' => 'Επόμενη Αποστολή: :date',
+ 'no_longer_running' => 'Αυτό το τιμολόγιο δεν είναι προγραμματισμένο να τρέξει',
+ 'general_settings' => 'Γενικές Ρυθμίσεις',
+ 'customize' => 'Προσαρμογή',
+ 'oneclick_login_help' => 'Συνδέστε ένα λογαριασμό για εισαγωγή χωρίς τη χρήση κωδικού πρόσβασης',
+ 'referral_code_help' => 'Κερδίστε χρήματα μοιράζοντας τη χρήση της εφαρμογής μας online.',
+ 'enable_with_stripe' => 'Ενεροποίησε | Απαιτείται το Stripe',
+ 'tax_settings' => 'Ρυθμίσεις Φόρων',
+ 'create_tax_rate' => 'Προσθήκη Ποσοστού Φόρου',
+ 'updated_tax_rate' => 'Επιτυχής ενημέρωση ποσοστού φόρου',
+ 'created_tax_rate' => 'Επιτυχής δημιουργία ποσοστού φόρου',
+ 'edit_tax_rate' => 'Επεξεργασία ποσοστού φόρου',
+ 'archive_tax_rate' => 'Αρχειοθέτηση Ποσοστού Φόρου',
+ 'archived_tax_rate' => 'Επιτυχής αρχειοθέτηση ποσοστού φόρου',
+ 'default_tax_rate_id' => 'Προεπιλεγμένο Ποσοστό Φόρου',
+ 'tax_rate' => 'Ποσοστό Φόρου',
+ 'recurring_hour' => 'Επαναλαμβανόμενη Ώρα',
+ 'pattern' => 'Μοτίβο',
+ 'pattern_help_title' => 'Βοήθεια Μοτίβων',
+ 'pattern_help_1' => 'Δημιουργείστε προσαρμοσμένους αριθμούς καθορίζοντας ένα πρότυπο',
+ 'pattern_help_2' => 'Διαθέσιμες μεταβλητές:',
+ 'pattern_help_3' => 'Για παράδειγμα, το :example θα μετατραπεί σε :value',
+ 'see_options' => 'Προβολή επιλογών',
+ 'invoice_counter' => 'Μετρητής Τιμολογίων',
+ 'quote_counter' => 'Μετρητής Προσφορών',
+ 'type' => 'Τύπος',
+ 'activity_1' => 'Ο χρήστης :user δημιούργησε τον πελάτη :client',
+ 'activity_2' => 'Ο χρήστης :user αρχειοθέτησε τον πελάτη :client',
+ 'activity_3' => 'Ο χρήστης :user διέγραψε τον πελάτη :client',
+ 'activity_4' => 'Ο χρήστης :user δημιούργησε το τιμολόγιο :invoice',
+ 'activity_5' => 'Ο χρήστης :user ενημέρωσε το τιμολόγιο :invoice',
+ 'activity_6' => 'Ο χρήστης :user το τιμολόγιο :Invoice στην επαφή :contact',
+ 'activity_7' => 'Η επαφή :contact είδε το τιμολόγιο :invoice',
+ 'activity_8' => 'Ο χρήστης :user αρχειοθέτησε το τιμολόγιο :invoice',
+ 'activity_9' => 'Ο χρήστης :user διέγραψε το τιμολόγιο :invoice',
+ 'activity_10' => 'Η επαφή :contact καταχώρησε την πληρωμή :payment για το :Invoice',
+ 'activity_11' => 'Ο χρήστης :user ενημέρωσε την πληρωμή :payment',
+ 'activity_12' => 'Ο χρήστης :user αρχειοθέτησε την πληρωμή :payment',
+ 'activity_13' => 'Ο χρήστης :user διέγραψε την πληρωμή :payment',
+ 'activity_14' => 'Ο χρήστης :user καταχώρησε την πίστωση :credit',
+ 'activity_15' => 'Ο χρήστης :user ενημέρωσε την πίστωση :credit',
+ 'activity_16' => 'Ο χρήστης :user αρχειοθέτησε την πίστωση :credit',
+ 'activity_17' => 'Ο χρήστης :user διέγραψε την πίστωση :credit',
+ 'activity_18' => 'Ο χρήστης :user δημιουργησε την προσφορά :quote',
+ 'activity_19' => 'Ο χρήστης :user ενημέρωσε την προσφορά :quote',
+ 'activity_20' => 'Ο χρήστης :user έστειλε με email την προσφορά :quote στην επαφή :contact',
+ 'activity_21' => 'Η επαφή :contact είδε την προσφορά :quote',
+ 'activity_22' => 'Ο χρήστης :user αρχειοθέτησε την προσφορά :quote',
+ 'activity_23' => 'Ο χρήστης :user διέγραψε την προσφορά :quote',
+ 'activity_24' => 'Ο χρήστης :user επανέφερε την προσφορά :quote',
+ 'activity_25' => 'Ο χρήστης :user επανέφερε το τιμολόγιο :invoice',
+ 'activity_26' => 'Ο χρήστης :user επανέφερε τον πελάτη :client',
+ 'activity_27' => 'Ο χρήστης :user επανέφερε την πληρωμή :payment',
+ 'activity_28' => 'Ο χρήστης :user επανέφερε την πίστωση :credit',
+ 'activity_29' => 'Η επαφή :contact αποδέχτηκε την προσφορά :quote',
+ 'activity_30' => 'Ο χρήστης :user δημιούργησε τον προμηθευτή :vendor',
+ 'activity_31' => 'Ο χρήστης :user αρχειοθέτησε τον προμηθευτή :vendor',
+ 'activity_32' => 'Ο χρήστης :user διέγραψε τον προμηθευτή :vendor',
+ 'activity_33' => 'Ο χρήστης :user επανέφερε τον προμηθευτή :vendor',
+ 'activity_34' => 'Ο χρήστης :user δημιούργησε τη δαπάνη :expense',
+ 'activity_35' => 'Ο χρήστης :user αρχειοθέτησε τη δαπάνη :expense',
+ 'activity_36' => 'Ο χρήστης :user διέγραψε τη δαπάνη :expense',
+ 'activity_37' => 'Ο χρήστης :user επανέφερε τη δαπάνη :expense',
+ 'activity_42' => 'Ο χρήστης :user δημιούργησε την εργασία :task',
+ 'activity_43' => 'Ο χρήστης :user ενημέρωσε την εργασία :task',
+ 'activity_44' => 'Ο χρήστης :user αρχειοθέτησε την εργασία :task',
+ 'activity_45' => 'Ο χρήστης :user διέγραψε την εργασία :task',
+ 'activity_46' => 'Ο χρήστης :user επανέφερε την εργασία :task',
+ 'activity_47' => 'Ο χρήστης :user ενημέρωσε τη δαπάνη :expense',
+ 'payment' => 'Πληρωμή',
+ 'system' => 'Σύστημα',
+ 'signature' => 'Υπογραφή Email',
+ 'default_messages' => 'Προεπιλεγμένα Μηνύματα',
+ 'quote_terms' => 'Όροι Προσφοράς',
+ 'default_quote_terms' => 'Προεπιλεγμένοι Όροι Προσφορών',
+ 'default_invoice_terms' => 'Προεπιλεγμένοι Όροι Τιμολογίων',
+ 'default_invoice_footer' => 'Προεπιλεγμένο Υποσέλιδο Τιμολογίων',
+ 'quote_footer' => 'Υποσέλιδο Προσφοράς',
+ 'free' => 'Δωρεάν',
+ 'quote_is_approved' => 'Επιτυχής αποδοχή',
+ 'apply_credit' => 'Εφαρμογή Πίστωσης',
+ 'system_settings' => 'Ρυθμίσεις Συστήματος',
+ 'archive_token' => 'Αρχειοθέτηση Διακριτικού',
+ 'archived_token' => 'Επιτυχής αρχειοθέτηση διακριτικού',
+ 'archive_user' => 'Αρχειοθέτηση Χρήστη',
+ 'archived_user' => 'Επιτυχής αρχειοθέτηση χρήστη',
+ 'archive_account_gateway' => 'Αρχειοθέτηση Πύλης Πληρωμών (Gateway)',
+ 'archived_account_gateway' => 'Επιτυχής αρχειοθέτηση πύλης πληρωμών (Gateway)',
+ 'archive_recurring_invoice' => 'Αρχειοθέτηση Επαναλαμβανόμενου Τιμολογίου',
+ 'archived_recurring_invoice' => 'Επιτυχής αρχειοθέτηση επαναλαμβανόμενου τιμολογίου',
+ 'delete_recurring_invoice' => 'Διαγραφή Επαναλαμβανόμενου Τιμολογίου',
+ 'deleted_recurring_invoice' => 'Επιτυχής διαγραφή επαναλαμβανόμενου τιμολογίου',
+ 'restore_recurring_invoice' => 'Επαναφορά Επαναλαμβανόμενου Τιμολογίου',
+ 'restored_recurring_invoice' => 'Επιτυχής επαναφορά επαναλαμβανόμενου τιμολογίου',
+ 'archive_recurring_quote' => 'Αρχειοθέτηση Επαναλαμβανόμενης Προσφοράς',
+ 'archived_recurring_quote' => 'Επιτυχής αρχειοθέτηση επαναλαμβανόμενης προσφοράς',
+ 'delete_recurring_quote' => 'Διαγραφή Επαναλαμβανόμενης Προσφοράς',
+ 'deleted_recurring_quote' => 'Επιτυχής διαγραφή επαναλαμβανόμενης προσφοράς',
+ 'restore_recurring_quote' => 'Επαναφορά Επαναλαμβανόμενης Προσφοράς',
+ 'restored_recurring_quote' => 'Επιτυχής επαναφορά επαναλαμβανόμενης προσφοράς',
+ 'archived' => 'Αρχειοθετημένο',
+ 'untitled_account' => 'Ανώνυμη Εταιρία',
+ 'before' => 'Πριν',
+ 'after' => 'Μετά',
+ 'reset_terms_help' => 'Επαναφορά στους προεπιλεγμένους όρους του λογαριασμού',
+ 'reset_footer_help' => 'Επαναφορά στο προεπιλεγμένο υποσέλιδο του λογαριασμού',
+ 'export_data' => 'Εξαγωγή Δεδομένων',
+ 'user' => 'Χρήστης',
+ 'country' => 'Χώρα',
+ 'include' => 'Περιλεμβάνει',
+ 'logo_too_large' => 'Το λογότυπό σας είναι :size, για καλύτερη απόδοση του PDF προτείνουμε να ανεβάσετε ένα αρχείο εικόνας μικρότερο από 200KB',
+ 'import_freshbooks' => 'Εισαγωγή από FreshBooks',
+ 'import_data' => 'Εισαγωγή Δεδομένων',
+ 'source' => 'Πηγή',
+ 'csv' => 'CSV',
+ 'client_file' => 'Αρχείο Πελάτη',
+ 'invoice_file' => 'Αρχείο Τιμολογίου',
+ 'task_file' => 'Αρχείο Εργασίας',
+ 'no_mapper' => 'Μη έγκυρη χαρτογράφηση αρχείου',
+ 'invalid_csv_header' => 'Μη έγκυρη κεφαλίδα CSV',
+ 'client_portal' => 'Portal Πελάτη',
+ 'admin' => 'Διαχειριστής',
+ 'disabled' => 'Απενεργοποιημένο',
+ 'show_archived_users' => 'Προβολή αρχειοθετημένων χρηστών',
+ 'notes' => 'Σημειώσεις',
+ 'invoice_will_create' => 'Το τιμολόγιο θα δημιουργηθεί',
+ 'invoices_will_create' => 'τιμολόγια θα δημιουργηθούν',
+ 'failed_to_import' => 'Οι παρακάτω εγγραφές απέτυχαν να εισαχθούν. Υπάρχουν ήδη ή λείπουν απαραίτητα πεδία.',
+ 'publishable_key' => 'Δημοσιοποιήσιμο Κλειδί',
+ 'secret_key' => 'Κρυφό Κλειδί',
+ 'missing_publishable_key' => 'Ορίστε το δημοσιοποιήσιμο κλειδί Stripe για βελτιωμένη διαδικασία ολοκλήρωσης αγοράς',
+ 'email_design' => 'Σχεδίαση Email',
+ 'due_by' => 'Πληρωτέο μέχρι :date',
+ 'enable_email_markup' => 'Ενεργοποίηση Σημανσης',
+ 'enable_email_markup_help' => 'Κάντε τη διαδικασία πληρωμής πιο εύκολη για τους πελάτες σας προσθέτοντας σήμανση από το schema.org στα emails σας.',
+ 'template_help_title' => 'Βοήθεια Προτύπων',
+ 'template_help_1' => 'Διαθέσιμες μεταβλητές:',
+ 'email_design_id' => 'Στυλ Email',
+ 'email_design_help' => 'Κάντε τα emails σας να δείχνουν πιο επαγγελματικά με τη διάταξη HTML.',
+ 'plain' => 'Απλό',
+ 'light' => 'Ανοιχτό',
+ 'dark' => 'Σκούρο',
+ 'industry_help' => 'Χρησιμοποιείται για να παρέχει συγκρίσεις μέσων όρων εταιριών ίδιου μεγέθους στους ίδιους επαγγελματικούς τομείς.',
+ 'subdomain_help' => 'Ορίστε τον υποτομέα ή εμφάνιστε το τιμολόγιο στη δική σας ιστοσελίδα',
+ 'website_help' => 'Εμφανίστε το τιμολόγιο σε ένα iFrame στη δική σας ιστοσελίδα',
+ 'invoice_number_help' => 'Ορίστε ένα πρόθεμα ή χρησιμοποιήστε ένα προσαρμοσμένο μοτίβο για να καθορίζετε δυναμικά τον αριθμό τιμολογίου.',
+ 'quote_number_help' => 'Ορίστε ένα πρόθεμα ή χρησιμοποιήστε ένα προσαρμοσμένο μοτίβο για να καθορίζετε δυναμικά τον αριθμό προσφοράς.',
+ 'custom_client_fields_helps' => 'Προσθέστε ένα πεδίο όταν δημιουργείτε ένα πελάτη και επιλέξτε δυνητικά την εμφάνισή της ετικέτας και της τιμής στο αρχείο PDF.',
+ 'custom_account_fields_helps' => 'Προσθέστε μία ετικέτα και μία τιμή στο σημείο που αφορά τις λεπτομέρειες της εταιρίας στο αρχείο PDF.',
+ 'custom_invoice_fields_helps' => 'Προσθέστε ένα πεδίο όταν δημιουργείτε ένα τιμολόγιο και επιλέξτε δυνητικά την εμφάνισή της ετικέτας και της τιμής στο αρχείο PDF.',
+ 'custom_invoice_charges_helps' => 'Προσθέστε ένα πεδίο όταν δημιουργείτε ένα τιμολόγιο και συμπεριλάβετε την χρέωση στα υποσύνολα του τιμολογίου.',
+ 'token_expired' => 'Το διακριτικό πιστοποίησης έχει λήξει. Παρακαλώ δοκιμάστε ξανά.',
+ 'invoice_link' => 'Σύνδεσμος Τιμολογίου',
+ 'button_confirmation_message' => 'Κάντε κλικ για να επιβεβαιώσετε τη διεύθυνση email σας.',
+ 'confirm' => 'Επιβεβαίωση',
+ 'email_preferences' => 'Προτιμήσεις Email',
+ 'created_invoices' => 'Δημιουργήθηκαν επιτυχώς :count τιμολόγιο(α)',
+ 'next_invoice_number' => 'Ο επόμενος αριθμός τιμολογίου είναι :number.',
+ 'next_quote_number' => 'Ο επόμενος αριθμός προσφοράς είναι :number.',
+ 'days_before' => 'ημέρες πριν από',
+ 'days_after' => 'ημέρες μετά από',
+ 'field_due_date' => 'ημερομηνία πληρωμής',
+ 'field_invoice_date' => 'ημερομηνία τιμολογίου',
+ 'schedule' => 'Προγραμμάτισε',
+ 'email_designs' => 'Σχέδια Email',
+ 'assigned_when_sent' => 'Ανάθεση όταν αποσταλεί',
+ 'white_label_purchase_link' => 'Προμηθευτείτε μια άδεια χρήσης λευκής ετικέτας',
+ 'expense' => 'Δαπάνη',
+ 'expenses' => 'Δαπάνες',
+ 'new_expense' => 'Καταχώρηση Δαπάνης',
+ 'enter_expense' => 'Καταχώρηση Δαπάνης',
+ 'vendors' => 'Προμηθευτές',
+ 'new_vendor' => 'Νέος Προμηθευτής',
+ 'payment_terms_net' => 'Καθαρό',
+ 'vendor' => 'Προμηθευτής',
+ 'edit_vendor' => 'Επεξεργασία Προμηθευτή',
+ 'archive_vendor' => 'Αρχειοθέτηση προμηθευτή',
+ 'delete_vendor' => 'Διαγραφή Προμηθευτή',
+ 'view_vendor' => 'Εμφάνιση Προμηθευτή',
+ 'deleted_expense' => 'Επιτυχής διαγραφή δαπάνης',
+ 'archived_expense' => 'Επιτυχής αρχειοθέτηση δαπάνης',
+ 'deleted_expenses' => 'Επιτυχής διαγραφή δαπανών',
+ 'archived_expenses' => 'Επιτυχής αρχειοθέτηση δαπανών',
+ 'expense_amount' => 'Ποσό Δαπάνης',
+ 'expense_balance' => 'Υπόλοιπο Δαπάνης',
+ 'expense_date' => 'Ημερομηνία Δαπάνης',
+ 'expense_should_be_invoiced' => 'Θέλετε να τιμολογηθεί αυτό το έξοδο',
+ 'public_notes' => 'Δημόσιες Σημειώσεις',
+ 'invoice_amount' => 'Ποσό Τιμολογίου',
+ 'exchange_rate' => 'Ισοτιμία Ανταλλαγής',
+ 'yes' => 'Ναι',
+ 'no' => 'Όχι',
+ 'should_be_invoiced' => 'Πρέπει να τιμολογηθεί',
+ 'view_expense' => 'Εμφάνιση δαπάνης # :expense',
+ 'edit_expense' => 'Επεξεργασία Δαπάνης',
+ 'archive_expense' => 'Αρχειοθέτηση Δαπάνης',
+ 'delete_expense' => 'Διαγραφή Δαπάνης',
+ 'view_expense_num' => 'Δαπάνη # :expense',
+ 'updated_expense' => 'Επιτυχής ενημέρωση δαπάνης',
+ 'created_expense' => 'Επιτυχής δημιουργία δαπάνης',
+ 'enter_expense' => 'Καταχώρηση Δαπάνης',
+ 'view' => 'Προβολή',
+ 'restore_expense' => 'Ανάκτηση Δαπάνης',
+ 'invoice_expense' => 'Τιμολόγηση Δαπάνης',
+ 'expense_error_multiple_clients' => 'Οι δαπάνες δε μπορούν να ανήκουν σε διαφορετικούς πελάτες',
+ 'expense_error_invoiced' => 'Οι δαπάνες έχουν ήδη τιμολογηθεί',
+ 'convert_currency' => 'Μετατροπή νομίσματος',
+ 'num_days' => 'Αριθμός Hμερών',
+ 'create_payment_term' => 'Δημιουργία Όρου Πληρωμής',
+ 'edit_payment_terms' => 'Επεξεργασία Όρου Πληρωμής',
+ 'edit_payment_term' => 'Επεξεργασία Όρου Πληρωμής',
+ 'archive_payment_term' => 'Αρχειοθέτηση Όρου Πληρωμής',
+ 'recurring_due_dates' => 'Ημερομηνίες Πληρωμής Επαναλαμβανόμενων Τιμολογίων',
+ 'recurring_due_date_help' => 'Ορίστε αυτόματα ημερομηνία πληρωμής για το τιμολόγιο.
+ Τιμολόγια μηνιαίου ή ετήσιου κύκλου που έχουν οριστεί πληρωτέα την ίδια η προηγούμενη ημερομηνία από αυτή που έχουν δημιουργηθεί θα είναι πληρωτέα τον επόμενο μήνα. Τιμολόγια που θα είναι πληρωτέα την 29η ή 30η μηνών που δεν διαθέτουν αυτές τις ημερομηνίες θα ορίζονται πληρωτέα την τελευταία ημέρα του επόμενου μήνα.
+ Τιμολόγια εβδομαδιαίας χρέωσης που έχουν οριστεί πληρωτέα την ημέρα της εβδομάδας που έχουν δημιουργηθεί θα είναι πληρωτέα την επόμενη εβδομάδα.
+ Για παράδειγμα:
+
+ - Σήμερα ο μήνας έχει 15 και έχει οριστεί ημέρα πληρωμής η 1η του μήνα. Τότε η ημέρα πληρωμής θα είναι η 1η του επόμενου μήνα.
+ - Σήμερα ο μήνας έχει 15 και έχει οριστεί ημέρα πληρωμής η τελευταία μέρα του μήνα. Τότε η ημέρα πληρωμής θα είναι η τελευταία μέρα του τρέχοντος μήνα.
+
+ - Σήμερα ο μήνας έχει 15 και έχει οριστεί ημέρα πληρωμής η 15η του μήνα. Τότε η ημέρα πληρωμής θα είναι η 15η του επόμενου μήνα.
+
+ - Σήμερα είναι Παρασκευή και έχει οριστεί ημέρα πληρωμής η πρώτη επόμενη Παρασκευή. Τότε η ημέρα πληρωμής θα είναι η επόμενη Παρασκευή, όχι σήμερα.
+
+
',
+ 'due' => 'Πληρωτέο',
+ 'next_due_on' => 'Επόμενη πληρωμή: :date',
+ 'use_client_terms' => 'Χρήση όρων πελατών',
+ 'day_of_month' => ':ordinal ημέρα του μήνα',
+ 'last_day_of_month' => 'Τελευταία ημέρα του μήνα',
+ 'day_of_week_after' => ':ordinal :day μετά',
+ 'sunday' => 'Κυριακή',
+ 'monday' => 'Δευτέρα',
+ 'tuesday' => 'Τρίτη',
+ 'wednesday' => 'Τετάρτη',
+ 'thursday' => 'Πέμπτη',
+ 'friday' => 'Παρασκευή',
+ 'saturday' => 'Σάββατο',
+ 'header_font_id' => 'Γραμματοσειρά Επικεφαλίδας',
+ 'body_font_id' => 'Γραμματοσειρά Κειμένου',
+ 'color_font_help' => 'Σημείωση: το πρωτεύων χρώμα και γραμματοσειρά χρησιμοποιούνται επίσης στο portal του πελάτη και στα προσαρμοσμένα σχέδια email.',
+ 'live_preview' => 'Ζωντανή Προεπισκόπηση',
+ 'invalid_mail_config' => 'Αδυναμία αποστολής email, παρακαλώ ελέγξτε ότι οι ρυθμίσεις email είναι σωστές.',
+ 'invoice_message_button' => 'Για να δείτε το τιμολόγιο των :amount, πατήστε το παρακάτω κουμπί.',
+ 'quote_message_button' => 'Για να δείτε την προσφορά του ποσού :amount, πατήστε το παρακάτω κουμπί.',
+ 'payment_message_button' => 'Ευχαριστούμε για την πληρωμή των :amount.',
+ 'payment_type_direct_debit' => 'Απευθείας Χρέωση',
+ 'bank_accounts' => 'Πιστωτικές Κάρτες & Τράπεζες',
+ 'add_bank_account' => 'Προσθήκη Τραπεζικού Λογαριασμού',
+ 'setup_account' => 'Καθορισμός Λογαριασμού',
+ 'import_expenses' => 'Εισαγωγή Δαπανών',
+ 'bank_id' => 'Τράπεζα',
+ 'integration_type' => 'Τύπος Ενσωμάτωσης',
+ 'updated_bank_account' => 'Επιτυχής ενημέρωση τραπεζικού λογαριασμού',
+ 'edit_bank_account' => 'Επεξεργασία Τραπεζικού Λογαριασμού',
+ 'archive_bank_account' => 'Αρχειοθέτηση Τραπεζικού Λογαριασμού',
+ 'archived_bank_account' => 'Επιτυχής αρχειοθέτηση τραπεζικού λογαριασμού',
+ 'created_bank_account' => 'Επιτυχής δημιουργία τραπεζικού λογαριασμού',
+ 'validate_bank_account' => 'Επικύρωση Τραπεζικού Λογαριασμού',
+ 'bank_password_help' => 'Σημείωση: ο κωδικός πρόσβασής σας μεταδόθηκε με ασφαλή τρόπο και δεν θα αποθηκευτεί ποτέ στους server μας.',
+ 'bank_password_warning' => 'Προειδοποίηση: ο κωδικός πρόσβασής σας μπορεί να μεταδοθεί σε απλό κείμενο, σκεφτείτε την ενεργοποίηση του HTTPS.',
+ 'username' => 'Όνομα Χρήστη',
+ 'account_number' => 'Αριθμός Λογαριασμού',
+ 'account_name' => 'Όνομασία Λογαριασμού',
+ 'bank_account_error' => 'Αδυναμία ανάσυρσης λεπτομερειών του λογαριασμού, παρακαλώ ελέγξτε τα στοιχεία σας. ',
+ 'status_approved' => 'Αποδεκτή',
+ 'quote_settings' => 'Ρυθμίσεις Προσφορών',
+ 'auto_convert_quote' => 'Αυτόματη Μετατροπή',
+ 'auto_convert_quote_help' => 'Αυτόματη μετατροπή της προσφοράς σε τιμολόγιο μόλις γίνει αποδεκτή από τον πελάτη.',
+ 'validate' => 'Επικύρωση',
+ 'info' => 'Πληροφορίες',
+ 'imported_expenses' => 'Επιτυχής δημιουργία :count_vendors προμηθευτή(ών) και :count_expenses δαπάνης(ών)',
+ 'iframe_url_help3' => 'Σημείωση: Εάν προγραμματίζετε να δέχεστε πιστωτικές κάρτες σας προτείνουμε να χρησιμοποιήσετε HTTPS στην ιστοσελίδα σας.',
+ 'expense_error_multiple_currencies' => 'Οι δαπάνες δε μπορούν να είναι σε διαφορετικά νομίσματα.',
+ 'expense_error_mismatch_currencies' => 'Το νόμισμα του πελάτη δεν είναι το ίδιο με το νόμισμα της δαπάνης.',
+ 'trello_roadmap' => 'Πλάνο Ανάπτυξης στο Trello',
+ 'header_footer' => 'Επικεφαλίδα/Υποσέλιδο',
+ 'first_page' => 'Πρώτη σελίδα',
+ 'all_pages' => 'Προσθήκη Σελίδας',
+ 'last_page' => 'Τελευταία σελίδα',
+ 'all_pages_header' => 'Εμφάνιση Κεφαλίδας',
+ 'all_pages_footer' => 'Εμφάνιση Υποσέλιδου',
+ 'invoice_currency' => 'Νόμισμα Τιμολογίου',
+ 'enable_https' => 'Σας προτείνουμε να χρησιμοποιήσετε HTTPS για να δέχεστε πιστωτικές κάρτες online.',
+ 'quote_issued_to' => 'Έκδοση προσφοράς προς',
+ 'show_currency_code' => 'Κωδικός Νομίσματος',
+ 'free_year_message' => 'Ο λογαριασμός σας αναβαθμίστηκε στο επαγγελματικό πακέτο για ένα χρόνο χωρίς κόστος.',
+ 'trial_message' => 'Ο λογαριασμός σας θα δεχθεί μια δωρεάν δοκιμαστική περίοδο δύο εβδομάδων στο επαγγελματικό μας πλάνο.',
+ 'trial_footer' => 'Η δωρεάν δοκιμαστική περίοδο ισχύει για :count ακόμα ημέρες, :link για να αναβαθμίσετε τώρα.',
+ 'trial_footer_last_day' => 'Αυτή είναι η τελευταία ημέρα της δωρεάν δοκιμαστικής περιόδου, :link για να αναβαθμίσετε τώρα.',
+ 'trial_call_to_action' => 'Έναρξη Δωρεάν Δοκιμής',
+ 'trial_success' => 'Επιτυχής ενεργοποίηση δωρεάν δοκιμαστικής περιόδου δύο εβδομάδων στο επαγγελματικό πλάνο.',
+ 'overdue' => 'Εκπρόθεσμος',
+
+
+ 'white_label_text' => 'Προμηθευτείτε μια ΕΤΗΣΙΑ άδεια χρήσης λευκής ετικέτας με $:price για να αφαιρέσετε το λογότυπο Ninja από το τιμολόγιο και το portal του πελάτη.',
+ 'user_email_footer' => 'Για να προσαρμόσετε τις ρυθμίσεις ειδοποίησης μέσω email, παρακαλώ κάντε κλικ εδώ :link',
+ 'reset_password_footer' => 'Αν δεν αιτηθήκατε αυτή την επαναφορά κωδικού πρόσβασης, παρακαλώ ενημερώστε την υποστήριξη στο :email',
+ 'limit_users' => 'Λυπάμαι, αυτό υπερβαίνει το όριο των :limit χρηστών',
+ 'more_designs_self_host_header' => 'Λάβετε 6 επιπλέον σχέδια τιμολογίων με μόνο $:price',
+ 'old_browser' => 'Παρακαλώ χρησιμοποιήστε ένα :link',
+ 'newer_browser' => 'νεότερος browser',
+ 'white_label_custom_css' => ':link για $:price για να ενεργοποιήσετε την προσαρμοσμένη εμφάνιση και να υποστηρίξετε το project μας.',
+ 'bank_accounts_help' => 'Συνδέστε ένα τραπεζικό λογαριασμό για αυτόματη εισαγωγή δαπανών και δημιουργία προμηθευτών. Υποστηρίζεται η American Express και :link.',
+ 'us_banks' => '400+ τράπεζες ΗΠΑ',
+
+ 'pro_plan_remove_logo' => ':link για να αφαιρέσετε το λογότυπο Invoice Ninja και να συμμετέχετε στο Επαγγελματικό Πλάνο',
+ 'pro_plan_remove_logo_link' => 'Πατήστε εδώ',
+ 'invitation_status_sent' => 'Απεστάλη',
+ 'invitation_status_opened' => 'Ανοιχτό',
+ 'invitation_status_viewed' => 'Εμφανισμένα',
+ 'email_error_inactive_client' => 'Δεν μπορούν να αποσταλούν emails σε ανενεργούς πελάτες',
+ 'email_error_inactive_contact' => 'Δεν μπορούν να αποσταλούν emails σε ανενεργές επαφές',
+ 'email_error_inactive_invoice' => 'Δεν μπορούν να αποσταλούν emails σε ανενεργά τιμολόγια',
+ 'email_error_inactive_proposal' => 'Δεν μπορούν να αποσταλούν emails σε ανενεργές προτάσεις',
+ 'email_error_user_unregistered' => 'Παρακαλούμε εγγραφείτε στο λογαριασμό σας για να στείλετε emails',
+ 'email_error_user_unconfirmed' => 'Παρακαλούμε επιβεβαιώστε το λογαριασμό σας για να στείλετε emails',
+ 'email_error_invalid_contact_email' => 'Λανθασμένο email επικοινωνίας',
+
+ 'navigation' => 'Πλοήγηση',
+ 'list_invoices' => 'Λίστα Τιμολογίων',
+ 'list_clients' => 'Λίστα Πελατών',
+ 'list_quotes' => 'Λίστα Προσφορών',
+ 'list_tasks' => 'Λίστα Εργασιών',
+ 'list_expenses' => 'Λίστα Δαπανών',
+ 'list_recurring_invoices' => 'Λίστα Επαναλαμβανόμενων Τιμολογίων',
+ 'list_payments' => 'Λίστα Πληρωμών',
+ 'list_credits' => 'Λίστα Πιστώσεων',
+ 'tax_name' => 'Ονομασία Φόρου',
+ 'report_settings' => 'Ρυθμίσεις Αναφορών',
+ 'search_hotkey' => 'συντόμευση είναι /',
+
+ 'new_user' => 'Νέος Χρήστης',
+ 'new_product' => 'Νέο Προϊόν',
+ 'new_tax_rate' => 'Νέο Ποσοστό Φόρου',
+ 'invoiced_amount' => 'Τιμολογημένο Ποσό',
+ 'invoice_item_fields' => 'Πεδία Προϊόντων Τιμολογίου',
+ 'custom_invoice_item_fields_help' => 'Προσθέστε ένα πεδίο όταν δημιουργείτε ένα προϊόν τιμολογίου και εμφανίστε την ετικέτα και την τιμή στο αρχείο PDF.',
+ 'recurring_invoice_number' => 'Επαναλαμβανόμενος Αριθμός',
+ 'recurring_invoice_number_prefix_help' => 'Ορίστε ένα πρόθεμα που να περιλαμβάνεται στον αριθμό τιμολογίου των επαναλαμβανόμενων τιμολογίων.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Προστασία Τιμολογίων με Κωδικό Πρόσβασης',
+ 'enable_portal_password_help' => 'Επιτρέπει τον καθορισμό κωδικού πρόσβασης για κάθε επαφή. Αν έχει καθοριστεί κωδικός, η επαφή θα υποχρεούται να καταχωρήσει κωδικό πριν την προβολή των τιμολογίων.',
+ 'send_portal_password' => 'Αυτόματη Δημιουργία',
+ 'send_portal_password_help' => 'Εάν δεν έχει οριστεί κωδικό πρόσβασης, θα δημιουργηθεί ένα αυτόματα και θα αποσταλεί με το πρώτο τιμολόγιο.',
+
+ 'expired' => 'Ληγμένα',
+ 'invalid_card_number' => 'Η πιστωτική κάρτα δεν είναι έγκυρη.',
+ 'invalid_expiry' => 'Η ημερομηνία λήξης δεν είναι έγκυρη.',
+ 'invalid_cvv' => 'Το CVV δεν είναι έγκυρο.',
+ 'cost' => 'Κόστος',
+ 'create_invoice_for_sample' => 'Σημείωση: δημιουργήστε το πρώτο σας τιμολόγιο για να δείτε την προεπισκόπηση εδώ.',
+
+ // User Permissions
+ 'owner' => 'Ιδιοκτήτης',
+ 'administrator' => 'Διαχειριστής',
+ 'administrator_help' => 'Επιτρέψτε στο χρήστη να διαχειρίζεται χρήστες, να αλλάζει ρυθμίσεις και να τροποποιεί όλες τις εγγραφές',
+ 'user_create_all' => 'Δημιουργία πελατών, τιμολογίων κλπ.',
+ 'user_view_all' => 'Προβολή πελατών, τιμολογίων κλπ.',
+ 'user_edit_all' => 'Επεξεργασία πελατών, τιμολογίων κλπ.',
+ 'gateway_help_20' => ':link για εγγραφή στο Sage Pay.',
+ 'gateway_help_21' => ':link για εγγραφή στο Sage Pay.',
+ 'partial_due' => 'Μερική Πληρωμή',
+ 'restore_vendor' => 'Ανάκτηση Προμηθευτή',
+ 'restored_vendor' => 'Ο Προμηθευτής ανακτήθηκε με επιτυχία',
+ 'restored_expense' => 'Επιτυχής επαναφορά δαπάνης',
+ 'permissions' => 'Δικαιώματα',
+ 'create_all_help' => 'Επιτρέψτε στο χρήστη να δημιουργεί και να τροποποιεί εγγραφές',
+ 'view_all_help' => 'Επιτρέψτε στο χρήστη να βλέπει εγγραφές που δεν έχει δημιουργήσει',
+ 'edit_all_help' => 'Επιτρέψτε στο χρήστη να τροποποιεί εγγραφές που δεν έχει δημιουργήσει',
+ 'view_payment' => 'Εμφάνιση Πληρωμής',
+
+ 'january' => 'Ιανουάριος',
+ 'february' => 'Φεβρουάριος',
+ 'march' => 'Μάρτιος',
+ 'april' => 'Απρίλιος',
+ 'may' => 'Μάιος',
+ 'june' => 'Ιούνιος',
+ 'july' => 'Ιούλιος',
+ 'august' => 'Αύγουστος',
+ 'september' => 'Σεπτέμβριος',
+ 'october' => 'Οκτώβριος',
+ 'november' => 'Νοέμβριος',
+ 'december' => 'Δεκέμβριος',
+
+ // Documents
+ 'documents_header' => 'Έγγραφα:',
+ 'email_documents_header' => 'Έγγραφα:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Έγγραφα Προσφοράς',
+ 'invoice_documents' => 'Έγγραφα Τιμολογίου',
+ 'expense_documents' => 'Έγγραφα Δαπάνης',
+ 'invoice_embed_documents' => 'Ενσωματωμένα Έγγραφα',
+ 'invoice_embed_documents_help' => 'Συμπεριλάβετε τις συνημμένες εικόνες στο τιμολόγιο',
+ 'document_email_attachment' => 'Επισύναψη Εγγράφων',
+ 'ubl_email_attachment' => 'Επισύναψε UBL',
+ 'download_documents' => 'Κατέβασμα Εγγράφων (:size)',
+ 'documents_from_expenses' => 'Από Δαπάνες:',
+ 'dropzone_default_message' => 'Σύρετε τα αρχεία ή κάντε κλικ για μεταφόρτωση',
+ 'dropzone_fallback_message' => 'Ο browser σας δεν υποστηρίζει τη μεταφόρτωση αρχείων με σύρσιμο.',
+ 'dropzone_fallback_text' => 'Παρακαλώ χρησιμοποιήστε την παρακάτω αναδρομική φόρμα για να μεταφορτώσετε αρχεία με τον παλιό τρόπο.',
+ 'dropzone_file_too_big' => 'Το αρχείο είναι πολύ μεγάλο ({{filesize}}MiB). Μέγιστο μέγρθος: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'Δε μπορείτε να ανεβάσετε αρχεία αυτού του τύπου.',
+ 'dropzone_response_error' => 'Ο διακομιστής αποκρίθηκε με τον κωδικό {{statusCode}}.',
+ 'dropzone_cancel_upload' => 'Ακύρωση ανεβάσματος',
+ 'dropzone_cancel_upload_confirmation' => 'Είστε σίγουροι ότι θέλετε να ακυρώσετε αυτό το ανέβασμα;',
+ 'dropzone_remove_file' => 'Διαγραφή αρχείου',
+ 'documents' => 'Έγγραφα',
+ 'document_date' => 'Ημερομηνία Εγγράφου',
+ 'document_size' => 'Μέγεθος',
+
+ 'enable_client_portal' => 'Portal Πελάτη',
+ 'enable_client_portal_help' => 'Εμφάνιση/απόκρυψη portal πελάτη',
+ 'enable_client_portal_dashboard' => 'Πίνακας ελέγχου',
+ 'enable_client_portal_dashboard_help' => 'Εμφάνιση/απόκρυψη του πίνακα ελέγχου στο portal πελάτη.',
+
+ // Plans
+ 'account_management' => 'Διαχείριση Λογαριασμού',
+ 'plan_status' => 'Κατάσταση Πλάνου',
+
+ 'plan_upgrade' => 'Αναβάθμιση',
+ 'plan_change' => 'Αλλαγή Πλάνου',
+ 'pending_change_to' => 'Αλλαγή Σε',
+ 'plan_changes_to' => ':plan σε :date',
+ 'plan_term_changes_to' => ':plan (:term) σε :date',
+ 'cancel_plan_change' => 'Ακύρωση Αλλαγής',
+ 'plan' => 'Πλάνο',
+ 'expires' => 'Λήγει',
+ 'renews' => 'Ανανεώσεις',
+ 'plan_expired' => ':plan Πλάνο Έληξε',
+ 'trial_expired' => ':plan Πλάνο Δοκιμαστική Περίοδος Έληξε',
+ 'never' => 'Ποτέ',
+ 'plan_free' => 'Δωρεάν',
+ 'plan_pro' => 'Επαγγελματική',
+ 'plan_enterprise' => 'Εταιρικό',
+ 'plan_white_label' => 'Προσωπική Φιλοξενία (Λευκή Ετικέτα)',
+ 'plan_free_self_hosted' => 'Προσωπική Φιλοξενία (Δωρεάν)',
+ 'plan_trial' => 'Δοκιμαστικό',
+ 'plan_term' => 'Όρος',
+ 'plan_term_monthly' => 'Μήνας',
+ 'plan_term_yearly' => 'Ετήσιο',
+ 'plan_term_month' => 'Μήνας',
+ 'plan_term_year' => 'Έτος',
+ 'plan_price_monthly' => '$:price/Μήνα',
+ 'plan_price_yearly' => '$:price/Έτος',
+ 'updated_plan' => 'Ενημερωμένες ρυθμίσεις πλάνου',
+ 'plan_paid' => 'Έναρξη Περιόδου',
+ 'plan_started' => 'Έναρξη Πλάνου',
+ 'plan_expires' => 'Λήξη Πλάνου',
+
+ 'white_label_button' => 'Λευκή Ετικέτα',
+
+ 'pro_plan_year_description' => 'Ένα έτος εγγραφή στο Επαγγελματικό Πλάνο του Invoice Ninja.',
+ 'pro_plan_month_description' => 'Ένας μήνας εγγραφή στο Επαγγελματικό Πλάνο του Invoice Ninja.',
+ 'enterprise_plan_product' => 'Πλάνο Enterprise',
+ 'enterprise_plan_year_description' => 'Ένα έτος εγγραφή στο Εταιρικό Πλάνο του Invoice Ninja.',
+ 'enterprise_plan_month_description' => 'Ένας μήνας εγγραφή στο Εταιρικό Πλάνο του Invoice Ninja.',
+ 'plan_credit_product' => 'Πίστωση',
+ 'plan_credit_description' => 'Πίστωση για μη χρησιμοποιημένο διάστημα',
+ 'plan_pending_monthly' => 'Θα αλλάξει σε μηνιαίο στις :date',
+ 'plan_refunded' => 'Έχει εκδοθεί επιστροφή χρημάτων.',
+
+ 'live_preview' => 'Ζωντανή Προεπισκόπηση',
+ 'page_size' => 'Μέγεθος Σελίδας',
+ 'live_preview_disabled' => 'Η ζωντανή προεπισκόπηση έχει απενεργοποιηθεί για να μπορεί να εμφανιστεί αυτή η γραμματοσειρά',
+ 'invoice_number_padding' => 'Περιθώριο',
+ 'preview' => 'Προεπισκόπηση',
+ 'list_vendors' => 'Λίστα Προμηθευτών',
+ 'add_users_not_supported' => 'Αναβαθμίστε στο Εταιρικό πλάνο για να προσθέσετε επιπλέον χρήστες στο λογαριασμό σας.',
+ 'enterprise_plan_features' => 'Το Εταιρικό πλάνο προσθέτει υποστήριξη για πολλαπλούς χρήστες και συνημμένα αρχεία, :link για να δείτε την πλήρη λίστα με τα χαρακτηριστικά.',
+ 'return_to_app' => 'Επιστροφή στην Εφαρμοφή',
+
+
+ // Payment updates
+ 'refund_payment' => 'Επιστροφή Πληρωμής',
+ 'refund_max' => 'Μέγιστο:',
+ 'refund' => 'Επιστροφή χρημάτων',
+ 'are_you_sure_refund' => 'Επιστροφή επιλεγμένων πληρωμών:',
+ 'status_pending' => 'Σε εξέλιξη',
+ 'status_completed' => 'Ολοκληρώθηκε',
+ 'status_failed' => 'Απέτυχε',
+ 'status_partially_refunded' => 'Μερική επιστροφή χρημάτων',
+ 'status_partially_refunded_amount' => ':amount χρήματα επεστραφησαν',
+ 'status_refunded' => 'Επιστροφή χρημάτων',
+ 'status_voided' => 'Ακυρωμένη',
+ 'refunded_payment' => 'Επεστραμένη Πληρωμή',
+ 'activity_39' => ':user ακύρωσε :payment_amount πληρωμής :payment',
+ 'activity_40' => ':user επέστρεψε :adjustment μιας :payment_amount πληρωμής :payment',
+ 'card_expiration' => 'Λήξη: :expires',
+
+ 'card_creditcardother' => 'Άγνωστο',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Εναλλαγή',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Αποδοχή τραπεζικών εμβασμάτων από τράπεζες των Ηνωμένων Πολιτειών',
+ 'stripe_ach_help' => 'Η υποστήριξη στην ACH πρέπει επίσης να ενεργοποιηθεί στο :link.',
+ 'ach_disabled' => 'Μια άλλη πύλη πληρωμών (Gateway) έχει ήδη παραμετροποιηθεί για άμεση πίστωση',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Id Πελάτη',
+ 'secret' => 'Κρυφό',
+ 'public_key' => 'Δημόσιο Κλειδί',
+ 'plaid_optional' => '(προαιρετικό)',
+ 'plaid_environment_help' => 'Όταν δοθεί ένα δοκιμαστικό κλειδί από το Stripe, θα χρησιμοποιηθεί το περιβάλλον ανάπτυξης (tartan) Plaid.',
+ 'other_providers' => 'Άλλοι Providers',
+ 'country_not_supported' => 'Αυτή η χώρα δεν υποστηρίζεται.',
+ 'invalid_routing_number' => 'Ο αριθμός δρομολόγησης δεν είναι έγκυρος.',
+ 'invalid_account_number' => 'Ο αριθμός λογαριασμού δεν είναι έγκυρος.',
+ 'account_number_mismatch' => 'Οι αριθμοί λογαριασμών δεν ταιριάζουν.',
+ 'missing_account_holder_type' => 'Παρακαλώ επιλέξτε ένα προσωπικό ή εταιρικό λογαριασμό.',
+ 'missing_account_holder_name' => 'Παρακαλώ καταχωρήστε το όνομα κατόχου του λογαριασμού.',
+ 'routing_number' => 'Αριθμός δρομολόγησης',
+ 'confirm_account_number' => 'Επιβεβαίωση Αριθμού Λογαριασμού',
+ 'individual_account' => 'Προσωπικός Λογαριασμός',
+ 'company_account' => 'Εταιρικός Λογαριασμός',
+ 'account_holder_name' => 'Όνομα Κατόχου Λογαριασμού',
+ 'add_account' => 'Προσθήκη Λογαριασμού',
+ 'payment_methods' => 'Τρόποι Πληρωμής',
+ 'complete_verification' => 'Ολοκλήρωση Πιστοποίησης',
+ 'verification_amount1' => 'Ποσό 1',
+ 'verification_amount2' => 'Ποσό 2',
+ 'payment_method_verified' => 'Πιστοποίηση ολοκληρώθηκε επιτυχώς',
+ 'verification_failed' => 'Αποτυχία Πιστοποίησης',
+ 'remove_payment_method' => 'Διαγραφή Τρόπου Πληρωμής',
+ 'confirm_remove_payment_method' => 'Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό τον τρόπο πληρωμής;',
+ 'remove' => 'Διαγραφή',
+ 'payment_method_removed' => 'Ο τρόπος πληρωμής διαγράφηκε.',
+ 'bank_account_verification_help' => 'Κάναμε δύο καταθέσεις στο λογαριασμό σας με την περιγραφή "VERIFICATION". Αυτές οι καταθέσεις θα χρειαστεί 1-2 εργάσιμες ημέρες για να φανούν στην αναλυτική κατάσταση λογαριασμού. Παρακαλώ εισάγετε τα ποσά παρακάτω.',
+ 'bank_account_verification_next_steps' => 'Κάναμε δύο καταθέσεις στο λογαριασμό σας με την περιγραφή "VERIFICATION". Αυτές οι καταθέσεις θα χρειαστεί 1-2 εργάσιμες ημέρες για να φανούν στην αναλυτική κατάσταση λογαριασμού.
+ Όταν διαθέτετε τα ποσά, επιστρέψτε στην παρούσα σελίδα μεθόδου πληρωμών και πιέστε "Ολοκλήρωση Πιστοποίησης" δίπλα στο λογαριασμό.',
+ 'unknown_bank' => 'Άγνωστη Τράπεζα',
+ 'ach_verification_delay_help' => 'Θα μπορείτε να χρησιμοποιήσετε το λογαριασμό μετά την ολοκλήρωση της πιστοποίησης. Η πιστοποίηση απαιτεί συνήθως 1-2 εργάσιμες ημέρες.',
+ 'add_credit_card' => 'Προσθήκη Πιστωτικής Κάρτας',
+ 'payment_method_added' => 'Ο τρόπος πληρωμής προστέθηκε.',
+ 'use_for_auto_bill' => 'Χρήση για το Autobill',
+ 'used_for_auto_bill' => 'Τρόπος Πληρωμής Autobill',
+ 'payment_method_set_as_default' => 'Ορισμός τρόπου πληρωμής Autobill.',
+ 'activity_41' => ':payment_amount πληρωμής (:payment) απέτυχε',
+ 'webhook_url' => 'Διεύθυνση URL του Webhook ',
+ 'stripe_webhook_help' => 'Πρέπει να :link.',
+ 'stripe_webhook_help_link_text' => 'προσθέσετε αυτό το URL σαν σημείο τερματισμού στο Stripe',
+ 'gocardless_webhook_help_link_text' => 'προσθέστε αυτή τη διεύθυνση internet στο τέλος της διεύθυνσης internet στο GoCardless',
+ 'payment_method_error' => 'Προέκυψε ένα σφάλμα κατά τη διαδικασία προσθήκης της μεθόδου πληρωμής. Παρακαλώ, δοκιμάστε ξανά σε λίγο.',
+ 'notification_invoice_payment_failed_subject' => 'Η πληρωμή για το τιμολόγιο :invoice απέτυχε',
+ 'notification_invoice_payment_failed' => 'Μια πληρωμή που έγινε από τον πελάτη :client που αφορούσε το Τιμολόγιο :invoice απέτυχε. Η πληρωμή έχει μαρκαριστεί ως αποτυχημένη και ποσό :amount προστέθηκε στο υπόλοιπο του πελάτη.',
+ 'link_with_plaid' => 'Συνδέστε άμεσα το λογαριασμό σας με το Plaid',
+ 'link_manually' => 'Χειροκίνητη Σύνδεση',
+ 'secured_by_plaid' => 'Ασφαλισμένο με το Plaid',
+ 'plaid_linked_status' => 'Ο Τραπεζικός Λογαριασμός σας στην :bank',
+ 'add_payment_method' => 'Προσθήκη Τρόπου Πληρωμής',
+ 'account_holder_type' => 'Τύπος Κατόχου Λογαριασμού',
+ 'ach_authorization' => 'Εξουσιοδοτώ την :company να χρησιμοποιήσει τον τραπεζικό μου λογαριασμό για μελλοντικές πληρωμές και, εάν είναι απαραίτητο, να πιστώσει ηλεκτρονικά το λογαριασμό μου για να διορθώσει εσφαλμένες χρεώσεις. Κατανοώ ότι μπορώ να ακυρώσω αυτή την εξουσιοδότησε οποιαδήποτε στιγμή αφαιρώντας αυτή τη μέθοδο πληρωμής ή επικοινωνώντας στο :email.',
+ 'ach_authorization_required' => 'Πρέπει να συναινέσετε σε συναλλαγές ACH',
+ 'off' => 'Κλειστό',
+ 'opt_in' => 'Συμμετοχή',
+ 'opt_out' => 'Μη συμμετοχή',
+ 'always' => 'Πάντα',
+ 'opted_out' => 'Επιλέξατε μη συμμετοχή',
+ 'opted_in' => 'Επιλέξατε συμμετοχή',
+ 'manage_auto_bill' => 'Διαχείριση Auto-bill',
+ 'enabled' => 'Ενεργοποίηση',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Ενεργοποίηση πληρωμών PayPal μέσω του BrainTree',
+ 'braintree_paypal_disabled_help' => 'Η πύλη πληρωμών (Gateway) PayPal επεξεργάζεται πληρωμές PayPal',
+ 'braintree_paypal_help' => 'Πρέπει επίσης να :link.',
+ 'braintree_paypal_help_link_text' => 'Συνδέστε το PayPal με το λογαριασμό σας στο BrainTree',
+ 'token_billing_braintree_paypal' => 'Αποθήκευση στοιχείων πληρωμής',
+ 'add_paypal_account' => 'Προσθήκη Λογαριασμού PayPal',
+
+
+ 'no_payment_method_specified' => 'Δεν έχει οριστεί τρόπος πληρωμής',
+ 'chart_type' => 'Τύπος Διαγράμματος',
+ 'format' => 'Μορφή',
+ 'import_ofx' => 'Εισαγωγή OFX',
+ 'ofx_file' => 'Αρχείο OFX',
+ 'ofx_parse_failed' => 'Αποτυχία ανάλυσης του αρχείου OFX',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Εγγραφείτε στο WePay',
+ 'use_another_provider' => 'Χρησιμοποιήστε ένα άλλο provider',
+ 'company_name' => 'Όνομα Εταιρείας',
+ 'wepay_company_name_help' => 'Αυτό θα εμφανιστεί στην ανάλυση λογαριασμού της πιστωτικής κάρτας του πελάτη.',
+ 'wepay_description_help' => 'Ο σκοπός αυτού του λογαριασμού.',
+ 'wepay_tos_agree' => 'Συμφωνώ με το :link',
+ 'wepay_tos_link_text' => 'Όροι της Υπηρεσίας WePay',
+ 'resend_confirmation_email' => 'Νέα αποστολή Email Επιβεβαίωσης',
+ 'manage_account' => 'Διαχείριση Λογαριασμού',
+ 'action_required' => 'Απαιτείται Ενέργεια',
+ 'finish_setup' => 'Ολοκλήρωση Εγκατάστασης',
+ 'created_wepay_confirmation_required' => 'Παρακαλώ ελέγξτε το email σας και επιβεβαιώστε τη διεύθυνση email σας στο WePay.',
+ 'switch_to_wepay' => 'Εναλλαγή στο WePay',
+ 'switch' => 'Εναλλαγή',
+ 'restore_account_gateway' => 'Επαναφορά Πύλης Πληρωμών (Gateway)',
+ 'restored_account_gateway' => 'Επιτυχής επαναφορά πύλης πληρωμών (Gateway)',
+ 'united_states' => 'Ηνωμένες Πολιτείες',
+ 'canada' => 'Καναδάς',
+ 'accept_debit_cards' => 'Αποδοχή Χρεωστικών Καρτών',
+ 'debit_cards' => 'Χρεωστικές Κάρτες',
+
+ 'warn_start_date_changed' => 'Το επόμενο τιμολόγιο θα αποσταλεί την επόμενη ημερομηνία έναρξης.',
+ 'warn_start_date_changed_not_sent' => 'Το επόμενο τιμολόγιο θα δημιουργηθεί την επόμενη ημερομηνία έναρξης.',
+ 'original_start_date' => 'Αρχική ημερομηνία έναρξης',
+ 'new_start_date' => 'Νέα ημερομηνία έναρξης',
+ 'security' => 'Ασφάλεια',
+ 'see_whats_new' => 'Δείτε τι νέο υπάρχει στην έκδοση v:version',
+ 'wait_for_upload' => 'Παρακαλώ αναμείνατε να ολοκληρωθεί η μεταφόρτωση του εγγράφου',
+ 'upgrade_for_permissions' => 'Αναβαθμίστε στο Εταιρικό πλάνο για να ενεργοποιήσετε τα δικαιώματα.',
+ 'enable_second_tax_rate' => 'Ενεργοποίηση καθορισμού ενός δεύτερου ποσοστού φόρου',
+ 'payment_file' => 'Αρχείο Πληρωμής',
+ 'expense_file' => 'Αρχείο Δαπάνης',
+ 'product_file' => 'Αρχείο Προϊόντος',
+ 'import_products' => 'Εισαγωγή Προϊόντων',
+ 'products_will_create' => 'προϊόντα θα δημιουργηθούν',
+ 'product_key' => 'Προϊόν',
+ 'created_products' => 'Επιτυχής δημιουργία/ενημέρωση :count προϊόν(των)',
+ 'export_help' => 'Χρησιμοποιήστε JSON εάν σχεδιάζετε να εισάγετε δεδομένα στο Invoice Ninja.
Το αρχείο περιλαμβάνει πελάτες, προϊόντα, τιμολόγια, προσφορές και πληρωμές.',
+ 'selfhost_export_help' => 'Προτείνουμε να χρησιμοποιήσετε το mysqldump για να δημιουργήσετε ένα πλήρες αντίγραφο.',
+ 'JSON_file' => 'Αρχείο JSON',
+
+ 'view_dashboard' => 'Εμφάνιση Πίνακα ελέγχου',
+ 'client_session_expired' => 'Η συνεδρία έληξε',
+ 'client_session_expired_message' => 'Η συνεδρία σας έληξε. Παρακαλώ κάντε κλικ ξανά στο σύνδεσμο που έχετε λάβει με email.',
+
+ 'auto_bill_notification' => 'Αυτό το τιμολόγιο θα χρεωθεί αυτόματα με τη μέθοδο :payment_method στο αρχείο την :due_date. ',
+ 'auto_bill_payment_method_bank_transfer' => 'τραπεζικός λογαριασμός',
+ 'auto_bill_payment_method_credit_card' => 'πιστωτική κάρτα',
+ 'auto_bill_payment_method_paypal' => 'Λογαριασμός PayPal',
+ 'auto_bill_notification_placeholder' => 'Αυτό το τιμολόγιο θα χρεωθεί αυτόματα στην πιστωτική σας κάρτα την ημερομηνία λήξης της. ',
+ 'payment_settings' => 'Ρυθμίσεις Πληρωμής',
+
+ 'on_send_date' => 'Στην ημερομηνία αποστολής',
+ 'on_due_date' => 'Στην ημερομηνία πληρωμής',
+ 'auto_bill_ach_date_help' => 'Το ACH θα χρεώνει αυτόματα στην ημερομηνία πληρωμής.',
+ 'warn_change_auto_bill' => 'Λόγω των κανόνων NACHA οι χρεώσεις σε αυτό το τιμολόγιο μπορεί να αποτρέψουν την αυτόματη χρέωση ACH',
+
+ 'bank_account' => 'Τραπεζικός Λογαριασμός',
+ 'payment_processed_through_wepay' => 'Οι πληρωμές ACH θα επεξεργαστούν με χρήση του WePay.',
+ 'wepay_payment_tos_agree' => 'Συμφωνώ με τους όρους :terms και την πολιτική απορρήτου :privacy_policy του WePay.',
+ 'privacy_policy' => 'Πολιτική Απορρήτου',
+ 'wepay_payment_tos_agree_required' => 'Πρέπει να συμφωνήσετε με τους Όρους Χρήσης και την Πολιτική Απορρήτου του WePay.',
+ 'ach_email_prompt' => 'Παρακαλώ καταχωρήστε την email διεύθυνσή σας:',
+ 'verification_pending' => 'Αναμονή Πιστοποίησης',
+
+ 'update_font_cache' => 'Παρακαλώ ανανεώστε τη σελίδα για να ενημερωθεί η γραμματοσειρά.',
+ 'more_options' => 'Περισσότερες επιλογές',
+ 'credit_card' => 'Πιστωτική Κάρτα',
+ 'bank_transfer' => 'Τραπεζικό Έμβασμα',
+ 'no_transaction_reference' => 'Δεν λάβαμε κάποιο αποδεικτικό συναλλαγής πληρωμής από αυτή την πύλη πληρωμών (Gateway).',
+ 'use_bank_on_file' => 'Χρήση του Bank on File',
+ 'auto_bill_email_message' => 'Αυτό το τιμολόγιο θα χρεωθεί αυτόματα στη μέθοδο πληρωμής την ημερομηνία λήξης του. ',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Προστέθηκε :date',
+ 'failed_remove_payment_method' => 'Αποτυχία διαγραφής του τρόπου πληρωμής',
+ 'gateway_exists' => 'Αυτή η πύλη πληρωμών (Gateway) υπάρχει ήδη',
+ 'manual_entry' => 'Χειροκίνητη εισαγωγή',
+ 'start_of_week' => 'Πρώτη Μέρα της Εβδομάδας',
+
+ // Frequencies
+ 'freq_inactive' => 'Ανενεργό',
+ 'freq_daily' => 'Ημερήσιο',
+ 'freq_weekly' => 'Εβδομάδα',
+ 'freq_biweekly' => 'Ανά δύο εβδομάδες',
+ 'freq_two_weeks' => 'Δύο εβδομάδες',
+ 'freq_four_weeks' => 'Τέσσερις εβδομάδες',
+ 'freq_monthly' => 'Μήνας',
+ 'freq_three_months' => 'Τρεις μήνες',
+ 'freq_four_months' => 'Τέσσερις μήνες',
+ 'freq_six_months' => 'Έξι μήνες',
+ 'freq_annually' => 'Έτος',
+ 'freq_two_years' => 'Δύο χρόνια',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Εφαρμογή Πίστωσης',
+ 'payment_type_Bank Transfer' => 'Τραπεζικό Έμβασμα',
+ 'payment_type_Cash' => 'Μετρητά',
+ 'payment_type_Debit' => 'Χρέωση',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Άλλη πιστωτική κάρτα',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Επιταγή',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Εναλλαγή',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'Απευθείας πίστωση SEPA',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Λογιστικά & Νομικά',
+ 'industry_Advertising' => 'Διαφημίσεις',
+ 'industry_Aerospace' => 'Αεροπορία',
+ 'industry_Agriculture' => 'Γεωργία',
+ 'industry_Automotive' => 'Αυτοκίνητα',
+ 'industry_Banking & Finance' => 'Τραπεζική & Οικονομικά',
+ 'industry_Biotechnology' => 'Βιοτεχνολογία',
+ 'industry_Broadcasting' => 'Ραδιοτηλεόραση',
+ 'industry_Business Services' => 'Υπηρεσίες Επιχειρήσεων',
+ 'industry_Commodities & Chemicals' => 'Εμπορεύματα & Χημικά',
+ 'industry_Communications' => 'Τηλεπικοινωνίες',
+ 'industry_Computers & Hightech' => 'Υπολογιστές & Τεχνολογία',
+ 'industry_Defense' => 'Άμυνα',
+ 'industry_Energy' => 'Ενέργεια',
+ 'industry_Entertainment' => 'Διασκέδαση',
+ 'industry_Government' => 'Κυβερνηση',
+ 'industry_Healthcare & Life Sciences' => 'Περίθαλψη & Επιστήμες Υγείας',
+ 'industry_Insurance' => 'Ασφάλειες',
+ 'industry_Manufacturing' => 'Βιομηχανία',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Μέσα Ενημέρωσης',
+ 'industry_Nonprofit & Higher Ed' => 'Μη Κερδοσκοπική',
+ 'industry_Pharmaceuticals' => 'Φάρμακα',
+ 'industry_Professional Services & Consulting' => 'Υπηρεσίες & Συμβουλευτική',
+ 'industry_Real Estate' => 'Κτηματομεσιτικά',
+ 'industry_Restaurant & Catering' => 'Εστιατόριο & Catering',
+ 'industry_Retail & Wholesale' => 'Λιανικό & Χονδρικό Εμπόριο',
+ 'industry_Sports' => 'Αθλητισμός',
+ 'industry_Transportation' => 'Μεταφορά',
+ 'industry_Travel & Luxury' => 'Ταξίδια & Ανέσεις',
+ 'industry_Other' => 'Άλλο',
+ 'industry_Photography' => 'Φωτογραφία',
+
+ // Countries
+ 'country_Afghanistan' => 'Αφγανιστάν',
+ 'country_Albania' => 'Αλβανία',
+ 'country_Antarctica' => 'Ανταρκτική',
+ 'country_Algeria' => 'Αλγερία',
+ 'country_American Samoa' => 'Αμερικανική Σαμόα',
+ 'country_Andorra' => 'Ανδόρα',
+ 'country_Angola' => 'Αγκόλα',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Αζερμπαϊτζάν',
+ 'country_Argentina' => 'Αργεντινή',
+ 'country_Australia' => 'Αυστραλία',
+ 'country_Austria' => 'Αυστρία',
+ 'country_Bahamas' => 'Μπαχάμες',
+ 'country_Bahrain' => 'Μπαχρέιν',
+ 'country_Bangladesh' => 'Μπαγκλαντές',
+ 'country_Armenia' => 'Αρμενία',
+ 'country_Barbados' => 'Μπαρμπάντος ',
+ 'country_Belgium' => 'Βέλγιο',
+ 'country_Bermuda' => 'Βερμούδες',
+ 'country_Bhutan' => 'Μπρουτάν',
+ 'country_Bolivia, Plurinational State of' => 'Βολιβία',
+ 'country_Bosnia and Herzegovina' => 'Βοσνία - Ερζεγοβίνη',
+ 'country_Botswana' => 'Μποτσουάνα',
+ 'country_Bouvet Island' => 'Νησί Μπουβέτ',
+ 'country_Brazil' => 'Βραζιλία',
+ 'country_Belize' => 'Μπελίζ',
+ 'country_British Indian Ocean Territory' => 'Βρετανική Ινδία',
+ 'country_Solomon Islands' => 'Νησιά του Σολομώντα',
+ 'country_Virgin Islands, British' => 'Βρετανικοί Παρθένοι Νήσοι',
+ 'country_Brunei Darussalam' => 'Μπρουνέι',
+ 'country_Bulgaria' => 'Βουλγαρία',
+ 'country_Myanmar' => 'Νιαμάρ',
+ 'country_Burundi' => 'Μπουρουντί',
+ 'country_Belarus' => 'Λευκορωσία',
+ 'country_Cambodia' => 'Καμπότζη',
+ 'country_Cameroon' => 'Καμερούν',
+ 'country_Canada' => 'Καναδάς',
+ 'country_Cape Verde' => 'Πράσινο Ακρωτήρι',
+ 'country_Cayman Islands' => 'Νησιά Cayman',
+ 'country_Central African Republic' => 'Κεντρική Αφρικανική Δημοκρατία',
+ 'country_Sri Lanka' => 'Σρι Λάνκα',
+ 'country_Chad' => 'Τσαντ',
+ 'country_Chile' => 'Χιλή',
+ 'country_China' => 'Κίνα',
+ 'country_Taiwan, Province of China' => 'Ταϊβάν',
+ 'country_Christmas Island' => 'Νησί Χριστουγέννων',
+ 'country_Cocos (Keeling) Islands' => 'Νησιά Cocos (Keeling)',
+ 'country_Colombia' => 'Κολομβία',
+ 'country_Comoros' => 'Κομόρος',
+ 'country_Mayotte' => 'Μαγιότ',
+ 'country_Congo' => 'Κονγκό',
+ 'country_Congo, the Democratic Republic of the' => 'Δημοκρατία του Κονγκό',
+ 'country_Cook Islands' => 'Νησία Cook',
+ 'country_Costa Rica' => 'Κόστα Ρίκα',
+ 'country_Croatia' => 'Κροατία',
+ 'country_Cuba' => 'Κούβα',
+ 'country_Cyprus' => 'Κύπρος',
+ 'country_Czech Republic' => 'Τσεχία',
+ 'country_Benin' => 'Μπενίν',
+ 'country_Denmark' => 'Δανία',
+ 'country_Dominica' => 'Δομίνικος',
+ 'country_Dominican Republic' => 'Δομινικανή Δημοκρατία',
+ 'country_Ecuador' => 'Εκουαδόρ',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Γουινέα',
+ 'country_Ethiopia' => 'Αιθιοπία',
+ 'country_Eritrea' => 'Εριθρεά',
+ 'country_Estonia' => 'Εστονία',
+ 'country_Faroe Islands' => 'Νησία Faroe',
+ 'country_Falkland Islands (Malvinas)' => 'Νησιά Φόκλαντ',
+ 'country_South Georgia and the South Sandwich Islands' => 'Βόρεια Γεωργία',
+ 'country_Fiji' => 'Φίτζι',
+ 'country_Finland' => 'Φιλανδία',
+ 'country_Åland Islands' => 'Νησιά Αλάντ',
+ 'country_France' => 'Γαλλία',
+ 'country_French Guiana' => 'Γαλλική Γουιάνα',
+ 'country_French Polynesia' => 'Γαλλική Πολυνησία',
+ 'country_French Southern Territories' => 'Γαλλικές Βόρειες περιοχές',
+ 'country_Djibouti' => 'Τζιμπουτί',
+ 'country_Gabon' => 'Γκαμπόν',
+ 'country_Georgia' => 'Γεωργία',
+ 'country_Gambia' => 'Γκάμπια',
+ 'country_Palestinian Territory, Occupied' => 'Παλαιστίνη',
+ 'country_Germany' => 'Γερμανία',
+ 'country_Ghana' => 'Γκάνα',
+ 'country_Gibraltar' => 'Γιβλαρτάρ',
+ 'country_Kiribati' => 'Κιριμπάτι',
+ 'country_Greece' => 'Ελλάδα',
+ 'country_Greenland' => 'Γροιλανδία',
+ 'country_Grenada' => 'Γκρενάδα',
+ 'country_Guadeloupe' => 'Γουαδελούπη',
+ 'country_Guam' => 'Γκουάμ',
+ 'country_Guatemala' => 'Γουατεμάλα',
+ 'country_Guinea' => 'Γουινέα',
+ 'country_Guyana' => 'Γουιάνα',
+ 'country_Haiti' => 'Αϊτή',
+ 'country_Heard Island and McDonald Islands' => 'Νησιά McDonalds',
+ 'country_Holy See (Vatican City State)' => 'Βατικάνό',
+ 'country_Honduras' => 'Ονδούρα',
+ 'country_Hong Kong' => 'Χονκ Κονκ',
+ 'country_Hungary' => 'Ουγκαρία',
+ 'country_Iceland' => 'Ισλανδία',
+ 'country_India' => 'Ινδία',
+ 'country_Indonesia' => 'Ινδονησία',
+ 'country_Iran, Islamic Republic of' => 'Ιράν',
+ 'country_Iraq' => 'Ιράκ',
+ 'country_Ireland' => 'Ιρλανδία',
+ 'country_Israel' => 'Ισραήλ',
+ 'country_Italy' => 'Ιταλία',
+ 'country_Côte d\'Ivoire' => 'Ακτή Ελεφαντοστού',
+ 'country_Jamaica' => 'Τζαμάικα',
+ 'country_Japan' => 'Ιαπωνία',
+ 'country_Kazakhstan' => 'Καζακστάν',
+ 'country_Jordan' => 'Ιορδανία',
+ 'country_Kenya' => 'Κένυα',
+ 'country_Korea, Democratic People\'s Republic of' => 'Βόρεια Κορέα',
+ 'country_Korea, Republic of' => 'Νότια Κορέα',
+ 'country_Kuwait' => 'Κουβέιτ',
+ 'country_Kyrgyzstan' => 'Κιργιστάν',
+ 'country_Lao People\'s Democratic Republic' => 'Λάος',
+ 'country_Lebanon' => 'Λίβανος',
+ 'country_Lesotho' => 'Λεσόθο',
+ 'country_Latvia' => 'Λετονία',
+ 'country_Liberia' => 'Λιβερία',
+ 'country_Libya' => 'Λιβύη',
+ 'country_Liechtenstein' => 'Λιχνεστάιν',
+ 'country_Lithuania' => 'Λιθουανία',
+ 'country_Luxembourg' => 'Λουξεμβούργο',
+ 'country_Macao' => 'Μακάο',
+ 'country_Madagascar' => 'Μαδαγασκάρη',
+ 'country_Malawi' => 'Μαλάουι',
+ 'country_Malaysia' => 'Μαλαισία',
+ 'country_Maldives' => 'Μαλδίβες',
+ 'country_Mali' => 'Μάλι',
+ 'country_Malta' => 'Μάλτα',
+ 'country_Martinique' => 'Μαρτινίκα',
+ 'country_Mauritania' => 'Μαβριτανία',
+ 'country_Mauritius' => 'Μαυρίκιος',
+ 'country_Mexico' => 'Μεξικό',
+ 'country_Monaco' => 'Μονακό',
+ 'country_Mongolia' => 'Μογκολία',
+ 'country_Moldova, Republic of' => 'Μολδαβία',
+ 'country_Montenegro' => 'Μαυροβούνιο',
+ 'country_Montserrat' => 'Μονσεράτ',
+ 'country_Morocco' => 'Μαρόκο',
+ 'country_Mozambique' => 'Μοζαμβίκη',
+ 'country_Oman' => 'Ομάν',
+ 'country_Namibia' => 'Ναμίμπια',
+ 'country_Nauru' => 'Ναουρού',
+ 'country_Nepal' => 'Νεπάλ',
+ 'country_Netherlands' => 'Ολλανδία',
+ 'country_Curaçao' => 'Κουρακάο',
+ 'country_Aruba' => 'Αρούμπα',
+ 'country_Sint Maarten (Dutch part)' => 'Άριος Μαρτίνος (Ολλανδία)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Άγιος Ευστάθιος',
+ 'country_New Caledonia' => 'Νέα Καλιδονία',
+ 'country_Vanuatu' => 'Βατουάτου',
+ 'country_New Zealand' => 'Νέα Ζηλανδία',
+ 'country_Nicaragua' => 'Νικαράγουα',
+ 'country_Niger' => 'Νίγρας',
+ 'country_Nigeria' => 'Νιγηρία',
+ 'country_Niue' => 'Νίου',
+ 'country_Norfolk Island' => 'Νησία Norfolk',
+ 'country_Norway' => 'Νορβηγία',
+ 'country_Northern Mariana Islands' => 'Νησιά Βόρειας Μαριάννας',
+ 'country_United States Minor Outlying Islands' => 'Νησιά Ηνωμένων Πολιτειών',
+ 'country_Micronesia, Federated States of' => 'Μικρονησία',
+ 'country_Marshall Islands' => 'Νησιά Marshall',
+ 'country_Palau' => 'Παλάου',
+ 'country_Pakistan' => 'Πακιστάν',
+ 'country_Panama' => 'Παναμάς',
+ 'country_Papua New Guinea' => 'Παπούα',
+ 'country_Paraguay' => 'Παραγουάη',
+ 'country_Peru' => 'Περού',
+ 'country_Philippines' => 'Φιλιπίνες',
+ 'country_Pitcairn' => 'Πιτκέρν',
+ 'country_Poland' => 'Πολωνία',
+ 'country_Portugal' => 'Πορτογαλία',
+ 'country_Guinea-Bissau' => 'Μπισάου',
+ 'country_Timor-Leste' => 'Τιμόρ',
+ 'country_Puerto Rico' => 'Πόρτο Ρίκο',
+ 'country_Qatar' => 'Κατάρ',
+ 'country_Réunion' => 'Ρεγιούνιον',
+ 'country_Romania' => 'Ρουμανία',
+ 'country_Russian Federation' => 'Ρωσία',
+ 'country_Rwanda' => 'Ρουάντα',
+ 'country_Saint Barthélemy' => 'Άγιος Βαρθολομαίος',
+ 'country_Saint Helena, Ascension and Tristan da Cunha' => 'Τριστάν',
+ 'country_Saint Kitts and Nevis' => 'Νέβις',
+ 'country_Anguilla' => 'Ανγκουίλα',
+ 'country_Saint Lucia' => 'Αγία Λουκία',
+ 'country_Saint Martin (French part)' => 'Άγιος Μαρτίνος (Γαλλία)',
+ 'country_Saint Pierre and Miquelon' => 'Άγιος Πέτρος',
+ 'country_Saint Vincent and the Grenadines' => 'Γρεναδίνη',
+ 'country_San Marino' => 'Σαν Μαρίνο',
+ 'country_Sao Tome and Principe' => 'Άγιος Θωμάς',
+ 'country_Saudi Arabia' => 'Σαουδική Αραβία',
+ 'country_Senegal' => 'Σενεγάλη',
+ 'country_Serbia' => 'Σερβία',
+ 'country_Seychelles' => 'Σευχέλες',
+ 'country_Sierra Leone' => 'Σιέρρα Λεόνε',
+ 'country_Singapore' => 'Σινγκαπούρη',
+ 'country_Slovakia' => 'Σλοβακία',
+ 'country_Viet Nam' => 'Βιετνάμ',
+ 'country_Slovenia' => 'Σλοβενία',
+ 'country_Somalia' => 'Σομαλία',
+ 'country_South Africa' => 'Νότια Αφρική',
+ 'country_Zimbabwe' => 'Σιμπάμπουε',
+ 'country_Spain' => 'Ισπανία',
+ 'country_South Sudan' => 'Νότιο Σουδάν',
+ 'country_Sudan' => 'Σουδάν',
+ 'country_Western Sahara' => 'Δυτική Σαχάρα',
+ 'country_Suriname' => 'Σουρινάμ',
+ 'country_Svalbard and Jan Mayen' => 'Σβαλμπάντ',
+ 'country_Swaziland' => 'Σουαζουάλη',
+ 'country_Sweden' => 'Σουηδία',
+ 'country_Switzerland' => 'Ελβετία',
+ 'country_Syrian Arab Republic' => 'Συρία',
+ 'country_Tajikistan' => 'Τατζικιστάν',
+ 'country_Thailand' => 'ταιλάνδη',
+ 'country_Togo' => 'Τογκό',
+ 'country_Tokelau' => 'Τοκελάου',
+ 'country_Tonga' => 'Τόνγκα',
+ 'country_Trinidad and Tobago' => 'Τρινιντάντ Τομπάκο',
+ 'country_United Arab Emirates' => 'Αραβικά Εμιράτα',
+ 'country_Tunisia' => 'Τηνυσία',
+ 'country_Turkey' => 'Τουρκία',
+ 'country_Turkmenistan' => 'Τουρμπεκιστάν',
+ 'country_Turks and Caicos Islands' => 'Νησιά Caicos',
+ 'country_Tuvalu' => 'Τουβαλού',
+ 'country_Uganda' => 'Ουγκάντα',
+ 'country_Ukraine' => 'Ουκρανία',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Σκόπια',
+ 'country_Egypt' => 'Αίγυπτος',
+ 'country_United Kingdom' => 'Αγγλία',
+ 'country_Guernsey' => 'Γουερνσέυ',
+ 'country_Jersey' => 'Τζέρσεϊ',
+ 'country_Isle of Man' => 'Νησί του Πάσχα',
+ 'country_Tanzania, United Republic of' => 'Ταζμανία',
+ 'country_United States' => 'Ηνωμένες Πολιτείες',
+ 'country_Virgin Islands, U.S.' => 'Παρθένοι Νήσοι',
+ 'country_Burkina Faso' => 'Μπουργκίνα Φάσο',
+ 'country_Uruguay' => 'Ουρουγουάη',
+ 'country_Uzbekistan' => 'Ουζμπεκιστάν',
+ 'country_Venezuela, Bolivarian Republic of' => 'Βενεζουέλα',
+ 'country_Wallis and Futuna' => 'Ουάλις',
+ 'country_Samoa' => 'Σαμόα',
+ 'country_Yemen' => 'Υεμένη',
+ 'country_Zambia' => 'Ζάμπια',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Πορτογαλικά Βραζιλίας',
+ 'lang_Croatian' => 'Κροατικά',
+ 'lang_Czech' => 'Τσέχικα',
+ 'lang_Danish' => 'Δανικά',
+ 'lang_Dutch' => 'Ολλανδικά',
+ 'lang_English' => 'Αγγλικά',
+ 'lang_French' => 'Γαλλικά',
+ 'lang_French - Canada' => 'Γαλλικά Καναδά',
+ 'lang_German' => 'Γερμανικά',
+ 'lang_Italian' => 'Ιταλικά',
+ 'lang_Japanese' => 'Ιαπωνικά',
+ 'lang_Lithuanian' => 'Λιθουανικά',
+ 'lang_Norwegian' => 'Νορβηγικά',
+ 'lang_Polish' => 'Πολωνικά',
+ 'lang_Spanish' => 'Ισπανικά',
+ 'lang_Spanish - Spain' => 'Ισπανικά Ισπανίας',
+ 'lang_Swedish' => 'Σουηδικά',
+ 'lang_Albanian' => 'Αλβανικά',
+ 'lang_Greek' => 'Ελληνικά',
+ 'lang_English - United Kingdom' => 'Αγγλικά - Ηνωμένο Βασίλειο',
+ 'lang_Slovenian' => 'Σλοβένικά',
+ 'lang_Finnish' => 'Φινλανδικά',
+ 'lang_Romanian' => 'Ρουμάνικα',
+ 'lang_Turkish - Turkey' => 'Τουρκικά - Τουρκία',
+ 'lang_Portuguese - Brazilian' => 'Πορτογαλικά - Βραζιλία',
+ 'lang_Portuguese - Portugal' => 'Πορτογαλικά - Πορτογαλία',
+ 'lang_Thai' => 'Ταϊλανδέζικα',
+ 'lang_Macedonian' => 'Μακεδονικά',
+ 'lang_Chinese - Taiwan' => 'Κινέζικα Ταϊβάν',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Λογιστικά & Νομικά',
+ 'industry_Advertising' => 'Διαφημίσεις',
+ 'industry_Aerospace' => 'Αεροπορία',
+ 'industry_Agriculture' => 'Γεωργία',
+ 'industry_Automotive' => 'Αυτοκίνητα',
+ 'industry_Banking & Finance' => 'Τραπεζική & Οικονομικά',
+ 'industry_Biotechnology' => 'Βιοτεχνολογία',
+ 'industry_Broadcasting' => 'Ραδιοτηλεόραση',
+ 'industry_Business Services' => 'Υπηρεσίες Επιχειρήσεων',
+ 'industry_Commodities & Chemicals' => 'Εμπορεύματα & Χημικά',
+ 'industry_Communications' => 'Τηλεπικοινωνίες',
+ 'industry_Computers & Hightech' => 'Υπολογιστές & Τεχνολογία',
+ 'industry_Defense' => 'Άμυνα',
+ 'industry_Energy' => 'Ενέργεια',
+ 'industry_Entertainment' => 'Διασκέδαση',
+ 'industry_Government' => 'Κυβερνηση',
+ 'industry_Healthcare & Life Sciences' => 'Περίθαλψη & Επιστήμες Υγείας',
+ 'industry_Insurance' => 'Ασφάλειες',
+ 'industry_Manufacturing' => 'Βιομηχανία',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Μέσα Ενημέρωσης',
+ 'industry_Nonprofit & Higher Ed' => 'Μη Κερδοσκοπική',
+ 'industry_Pharmaceuticals' => 'Φάρμακα',
+ 'industry_Professional Services & Consulting' => 'Υπηρεσίες & Συμβουλευτική',
+ 'industry_Real Estate' => 'Κτηματομεσιτικά',
+ 'industry_Retail & Wholesale' => 'Λιανικό & Χονδρικό Εμπόριο',
+ 'industry_Sports' => 'Αθλητισμός',
+ 'industry_Transportation' => 'Μεταφορά',
+ 'industry_Travel & Luxury' => 'Ταξίδια & Ανέσεις',
+ 'industry_Other' => 'Άλλο',
+ 'industry_Photography' =>'Φωτογραφία',
+
+ 'view_client_portal' => 'Προβολή portal πελάτη',
+ 'view_portal' => 'Προβολή portal',
+ 'vendor_contacts' => 'Επαφές Προμηθευτών',
+ 'all' => 'Όλα',
+ 'selected' => 'Επιλεγμένο',
+ 'category' => 'Κατηγορία',
+ 'categories' => 'Κατηγορίες',
+ 'new_expense_category' => 'Νέα Κατηγορία Δαπανών',
+ 'edit_category' => 'Επεξεργα',
+ 'archive_expense_category' => 'Αρχειοθέτηση Κατηγορίας',
+ 'expense_categories' => 'Κατηγορίες Δαπάνης',
+ 'list_expense_categories' => 'Λίστα Κατηγοριών Δαπάνης',
+ 'updated_expense_category' => 'Επιτυχής ενημέρωση κατηγορίας δαπανών',
+ 'created_expense_category' => 'Επιτυχής δημιουργία κατηγορίας δαπανών',
+ 'archived_expense_category' => 'Επιτυχής αρχειοθέτηση κατηγορίας δαπανών',
+ 'archived_expense_categories' => 'Επιτυχής αρχειοθέτηση :count κατηγορίας δαπανών',
+ 'restore_expense_category' => 'Επαναφορά κατηγορίας δαπανών',
+ 'restored_expense_category' => 'Επιτυχής επαναφορά κατηγορίας δαπανών',
+ 'apply_taxes' => 'Εφαρμογή φόρων',
+ 'min_to_max_users' => ':min έως :max χρήστες',
+ 'max_users_reached' => 'Έχετε φτάσει το μέγιστο αριθμό χρηστών.',
+ 'buy_now_buttons' => 'Κουμπιά Αγορά Τώρα',
+ 'landing_page' => 'Σελίδα Εισόδου',
+ 'payment_type' => 'Τύπος Πληρωμής',
+ 'form' => 'Φόρμα',
+ 'link' => 'Σύνδεσμος',
+ 'fields' => 'Πεδία',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Σημείωση: εγγραφές πελατών και τιμολογίων δημιουργούνται ακόμα και αν η συναλλαγή δεν ολοκληρωθεί.',
+ 'buy_now_buttons_disabled' => 'Αυτό το χαρακτηριστικό προϋποθέτει ότι το προϊόν έχει ήδη δημιουργηθεί και ότι έχει ρυθμιστεί η πύλη πληρωμών (Gateway).',
+ 'enable_buy_now_buttons_help' => 'Ενεργοποίηση υποστήριξης για τα κουμπιά Αγορά Τώρα',
+ 'changes_take_effect_immediately' => 'Σημείωση: οι αλλαγές ενεργοποιούνται άμεσα',
+ 'wepay_account_description' => 'Πύλη Πληρωμών (Gateway) για το Invoice Ninja',
+ 'payment_error_code' => 'Προέκυψε ένα σφάλμα κατά τη διαδικασία της πληρωμής [:code]. Παρακαλώ, δοκιμάστε ξανά σε λίγο.',
+ 'standard_fees_apply' => 'Προμήθεια: 2.9%/1.2% [Πιστωτική Κάρτα/Τραπεζικό Λογαριασμό] + $0.30 ανά επιτυχημένη χρέωση.',
+ 'limit_import_rows' => 'Τα δεδομένα πρέπει να εισαχθούν σε ομάδες των :count ή λιγότερων σειρών',
+ 'error_title' => 'Κάτι πήγε στραβά',
+ 'error_contact_text' => 'Αν θα θέλατε βοήθεια, παρακαλώ στείλτε μας email στη διεύθυνση :mailaddress',
+ 'no_undo' => 'Προειδοποίηση: αυτό δε μπορεί να αναιρεθεί.',
+ 'no_contact_selected' => 'Παρακαλώ επιλέξτε επαφή',
+ 'no_client_selected' => 'Παρακαλώ επιλέξτε πελάτη',
+
+ 'gateway_config_error' => 'Μπορεί να βοηθήσει εάν ορίσετε νέους κωδικούς πρόσβασης ή δημιουργήσετε νέα κλειδιά API.',
+ 'payment_type_on_file' => ':type σε αρχείο',
+ 'invoice_for_client' => 'Τιμολόγιο :invoice για :client',
+ 'intent_not_found' => 'Λυπάμαι, αλλά δεν καταλαβαίνω τι ρωτάτε.',
+ 'intent_not_supported' => 'Λυπάμαι, αλλά δεν μπορώ να το κάνω αυτό.',
+ 'client_not_found' => 'Δεν μπόρεσα να βρω τον πελάτη',
+ 'not_allowed' => 'Λυπάμαι, δεν έχετε την απαραίτητη πρόσβαση',
+ 'bot_emailed_invoice' => 'Το τιμολόγιό σας έχει αποσταλεί,',
+ 'bot_emailed_notify_viewed' => 'Θα σας στείλω email μόλις εμφανιστεί.',
+ 'bot_emailed_notify_paid' => 'Θα σας στείλω email μόλις πληρωθεί.',
+ 'add_product_to_invoice' => 'Προσθήκη 1 :product',
+ 'not_authorized' => 'Δεν είστε εξουσιοδοτημένος.',
+ 'bot_get_email' => 'Γειά! (wave)
Ευχαριστώ που δοκιμάσατε τον αυτοματισμό του Invoice Ninja.
Θα πρέπει να δημιουργήσετε ένα δωρεάν λογαριασμό για να χρησιμοποιήσετε αυτό τον αυτοματισμό.
Στείλτε μου την διεύθυνση email σας για να ξεκινήσετε.',
+ 'bot_get_code' => 'Ευχαριστούμε! Σας στείλαμε ένα email με τον κωδικό ασφαλείας.',
+ 'bot_welcome' => 'Δηλαδή, ο λογαριασμός σας είναι επικυρωμένος.
',
+ 'email_not_found' => 'Δεν μπόρεσα να βρω ένα διαθέσιμο λογαριασμό για :email',
+ 'invalid_code' => 'Ο κωδικός δεν είναι σωστός',
+ 'security_code_email_subject' => 'Κωδικός ασφαλείας για τον αυτοματισμό Invoice Ninja',
+ 'security_code_email_line1' => 'Αυτός είναι ο κωδικός ασφαλείας για τον αυτοματισμό Invoice Ninja',
+ 'security_code_email_line2' => 'Σημείωση: θα λήξει σε 10 λεπτά.',
+ 'bot_help_message' => 'Αυτή τη στιγμή υποστηρίζεται:
• Δημιουργία\ενημέρωση\αποστολή με email ενός τιμολογίου
• Λίστα προϊόντων
Για παράδειγμα:
τιμολογήστε τον Μπομπ για 2 εισιτήρια, ορίστε την ημερομηνία λήξης την επόμενη Τρίτη και την έκπτωση σε 10 τοις εκατό',
+ 'list_products' => 'Λίστα Προϊόντων',
+
+ 'include_item_taxes_inline' => 'Περιέλαβε φόρο ανά προϊόν σε κάθε γραμμή',
+ 'created_quotes' => 'Επιτυχής δημιουργία :count προσφοράς(ών)',
+ 'limited_gateways' => 'Σημείωση: υποστηρίζουμε μία πύλη πληρωμών (Gateway) πιστωτικών καρτών ανά εταιρεία.',
+
+ 'warning' => 'Ειδοποίηση',
+ 'self-update' => 'Ενημέρωση',
+ 'update_invoiceninja_title' => 'Ενημέρωση Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Πριν αρχίσετε την αναβάθμιση του Invoice Ninja, δημιουργήστε ένα αντίγραφο ασφαλείας της βάσης δεδομένων και των αρχείων!',
+ 'update_invoiceninja_available' => 'Υπάρχει διαθέσιμη νεότερη έκδοση του Invoice Ninja.',
+ 'update_invoiceninja_unavailable' => 'Δεν υπάρχει νεότερη έκδοση του Invoice Ninja διαθέσιμη.',
+ 'update_invoiceninja_instructions' => 'Παρακαλώ εγκαταστήστε τη νέα έκδοση :version κάνοντας κλικ στο κουμπί Αναβαθμίστε τώρα παρακάτω. Μετά θα μεταφερθείτε στον πίνακα ελέγχου.',
+ 'update_invoiceninja_update_start' => 'Ενημέρωση Τώρα',
+ 'update_invoiceninja_download_start' => 'Κατέβασμα :version',
+ 'create_new' => 'Δημιουργία Νέου',
+
+ 'toggle_navigation' => 'Εναλλαγή Πλοήγησης',
+ 'toggle_history' => 'Εναλλαγή Ιστορικού',
+ 'unassigned' => 'Δεν έχει ανατεθεί',
+ 'task' => 'Εργασία',
+ 'contact_name' => 'Όνομα Επαφής',
+ 'city_state_postal' => 'Πόλη/Νομός/Τ.Κ.',
+ 'custom_field' => 'Προσαρμοσμένο Πεδίο',
+ 'account_fields' => 'Πεδία Εταιρείας',
+ 'facebook_and_twitter' => 'Facebook και Twitter',
+ 'facebook_and_twitter_help' => 'Ακολουθήστε τη ροή μας για να υποστηρίξετε το project μας',
+ 'reseller_text' => 'Σημείωση: Η άδεια χρήσης λευκής ετικέτας αφορά προσωπική χρήση, παρακαλώ στείλτε μας email στο :email εάν θέλετε να μεταπωλήσετε την εφαρμογή μας.',
+ 'unnamed_client' => 'Ανώνυμος Πελάτης',
+
+ 'day' => 'Ημέρα',
+ 'week' => 'Εβδομάδα',
+ 'month' => 'Μήνας',
+ 'inactive_logout' => 'Έχετε αποσυνδεθεί λόγω αδράνειας',
+ 'reports' => 'Αναφορές',
+ 'total_profit' => 'Συνολικά Κέρδη',
+ 'total_expenses' => 'Συνολικές Δαπάνες',
+ 'quote_to' => 'Προσφορά προς',
+
+ // Limits
+ 'limit' => 'Όριο',
+ 'min_limit' => 'Ελάχιστο: :min',
+ 'max_limit' => 'Μέγιστο: :max',
+ 'no_limit' => 'Χωρίς Όριο',
+ 'set_limits' => 'Καθορισμός Ορίων :gateway_type',
+ 'enable_min' => 'Ενεργοποίηση ελάχιστου',
+ 'enable_max' => 'Ενεργοποίηση μέγιστου',
+ 'min' => 'Ελάχιστο',
+ 'max' => 'Μέγιστο',
+ 'limits_not_met' => 'Αυτό το τιμολόγιο δεν συμφωνεί με τα όριο αυτού του τύπου πληρωμών',
+
+ 'date_range' => 'Εύρος Ημερομηνιών',
+ 'raw' => 'Ακατέργαστο',
+ 'raw_html' => 'Ακατέργαστη HTML',
+ 'update' => 'Ενημέρωση',
+ 'invoice_fields_help' => 'Σύρετε και εναποθέστε πεδία για να αλλάξετε την σειρά και την θέση τους',
+ 'new_category' => 'Νέα Κατηγορία',
+ 'restore_product' => 'Ανάκτηση Προϊόντος',
+ 'blank' => 'Κενό',
+ 'invoice_save_error' => 'Προέκυψε ένα σφάλμα κατά τη διαδικασία αποθήκευσης του τιμολογίου σας',
+ 'enable_recurring' => 'Ενεργοποίηση επαναλαμβανόμενου',
+ 'disable_recurring' => 'Απενεργοποίηση επαναλαμβανόμενου',
+ 'text' => 'Κείμενο',
+ 'expense_will_create' => 'δαπάνη θα δημιουργηθεί',
+ 'expenses_will_create' => 'δαπάνες θα δημιουργηθούν',
+ 'created_expenses' => 'Επιτυχής δημιουργία :count δαπάνης(ών)',
+
+ 'translate_app' => 'Βοηθήστε να βελτιώσουμε τις μεταφράσεις μας με το :link',
+ 'expense_category' => 'Κατηγορία Δαπάνης',
+
+ 'go_ninja_pro' => 'Πήγαινε στην Επαγγελματική έκδοση Ninja',
+ 'go_enterprise' => 'Πηγαίντε στο Εταιρικό!',
+ 'upgrade_for_features' => 'Αναβαθμίστε Για Περισσότερα Χαρακτηριστικά',
+ 'pay_annually_discount' => 'Πληρώστε ανά έτος για 10 μήνες + 2 μήνες δωρεάν!',
+ 'pro_upgrade_title' => 'Επαγγελματική έκδοση Ninja',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Προσαρμόστε κάθε παράμετρο του Τιμολογίου σας!',
+ 'enterprise_upgrade_feature1' => 'Ορίστε δικαιώματα για πολλαπλούς χρήστες',
+ 'enterprise_upgrade_feature2' => 'Επισυνάψτε αρχεία τρίτων στα τιμολόγια και τις δαπάνες',
+ 'much_more' => 'Πολύ Περισσότερα!',
+ 'all_pro_fetaures' => 'Με επιπλέον όλα τα επαγγελματικά χαρακτηριστικά',
+
+ 'currency_symbol' => 'Σύμβολο',
+ 'currency_code' => 'Κωδικός',
+
+ 'buy_license' => 'Αγορά Άδειας Χρήσης',
+ 'apply_license' => 'Εφαρμογή Άδειας Χρήσης',
+ 'submit' => 'Υποβολή',
+ 'white_label_license_key' => 'Κλειδί Άδειας Χρήσης',
+ 'invalid_white_label_license' => 'Η άδεια χρήσης λευκής ετικέτας δεν είναι έγκυρη',
+ 'created_by' => 'Δημιουργήθηκε από :name',
+ 'modules' => 'Ενότητες',
+ 'financial_year_start' => 'Πρώτος Μήνας του Έτους',
+ 'authentication' => 'Πιστοποίηση',
+ 'checkbox' => 'Κουτάκι',
+ 'invoice_signature' => 'Υπογραφή',
+ 'show_accept_invoice_terms' => 'Κουτάκι Όρων Τιμολογίου',
+ 'show_accept_invoice_terms_help' => 'Απαίτηση από τον πελάτη να αποδεχθεί τους όρους του τιμολογίου',
+ 'show_accept_quote_terms' => 'Κουτάκι Όρων Προσφοράς',
+ 'show_accept_quote_terms_help' => 'Απαίτηση από τον πελάτη να αποδεχθεί τους όρους της προσφοράς',
+ 'require_invoice_signature' => 'Υπογραφή Τιμολογίου',
+ 'require_invoice_signature_help' => 'Απαίτηση από τον πελάτη να συμπληρώσει την υπογραφή του.',
+ 'require_quote_signature' => 'Υπογραφή Προσφοράς',
+ 'require_quote_signature_help' => 'Απαίτηση από τον πελάτη να συμπληρώσει την υπογραφή του.',
+ 'i_agree' => 'Συμφωνώ με τους Όρους',
+ 'sign_here' => 'Παρακαλώ υπογράψτε εδώ:',
+ 'authorization' => 'Εξουσιοδότηση',
+ 'signed' => 'Υπογεγραμμένο',
+
+ // BlueVine
+ 'bluevine_promo' => 'Δεχθείτε ευέλικτες πιστωτικές λύσεις και factoring τιμολογίων με χρήση της BlueVine.',
+ 'bluevine_modal_label' => 'Εγγραφείτε στη BlueVine',
+ 'bluevine_modal_text' => 'Γρήγορη χρηματοδότηση της εταιρίας σας χωρίς γραφειοκρατία.
+- Ευέλικτες πιστωτικές λύσεις και factoring τιμολογίων.
',
+ 'bluevine_create_account' => 'Δημιουργήστε λογαριασμό',
+ 'quote_types' => 'Λάβετε προσφορά για',
+ 'invoice_factoring' => 'Factoring τιμολογίων',
+ 'line_of_credit' => 'Πιστωτικές λύσεις',
+ 'fico_score' => 'Το FICO σκορ σας',
+ 'business_inception' => 'Ημερομηνία Έναρξης Επιχείρησης',
+ 'average_bank_balance' => 'Μέσο υπόλοιπο τραπεζικού λογαριασμού',
+ 'annual_revenue' => 'Ετήσια έσοδα',
+ 'desired_credit_limit_factoring' => 'Επιθυμητό όριο factoring τιμολογίων',
+ 'desired_credit_limit_loc' => 'Επιθυμητό όριο πιστωτικων λύσεων',
+ 'desired_credit_limit' => 'Επιθυμητό όριο πίστωσης',
+ 'bluevine_credit_line_type_required' => 'Πρέπει να επιλέξετε τουλάχιστον ένα',
+ 'bluevine_field_required' => 'Αυτό το πεδίο είναι απαραίτητο',
+ 'bluevine_unexpected_error' => 'Εμφανίστηκε μη αναμενόμενο σφάλμα.',
+ 'bluevine_no_conditional_offer' => 'Απαιτούνται περισσότερες πληροφορίες πριν τη λήψη προσφοράς. Πατήστε συνέχεια παρακάτω.',
+ 'bluevine_invoice_factoring' => 'Factoring Τιμολογίων',
+ 'bluevine_conditional_offer' => 'Προσφορά υπό όρους',
+ 'bluevine_credit_line_amount' => 'Πιστωτική Λύση',
+ 'bluevine_advance_rate' => 'Ποσοστό Επόμενου Βήματος',
+ 'bluevine_weekly_discount_rate' => 'Εβδομαδιαίο Ποσοστό Έκπτωσης',
+ 'bluevine_minimum_fee_rate' => 'Ελάχιστη Χρέωση',
+ 'bluevine_line_of_credit' => 'Πιστωτικές Λύσεις',
+ 'bluevine_interest_rate' => 'Επιτόκιο',
+ 'bluevine_weekly_draw_rate' => 'Εβδομαδιαίο Ποσοστό Εξισορρόπησης',
+ 'bluevine_continue' => 'Συνεχίστε στη BlueVine',
+ 'bluevine_completed' => 'Η εγγραφή στη BlueVine ολοκληρώθηκε',
+
+ 'vendor_name' => 'Προμηθευτής',
+ 'entity_state' => 'Περιοχή',
+ 'client_created_at' => 'Ημ/νία Δημιουργίας',
+ 'postmark_error' => 'Προέκυψε πρόβλημα κατά την αποστολή του email μέσω Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'Νέο Project',
+ 'edit_project' => 'Επεξεργασία Project',
+ 'archive_project' => 'Αρχειοθέτηση Project',
+ 'list_projects' => 'Λίστα Projects',
+ 'updated_project' => 'Επιτυχής ενημέρωση project',
+ 'created_project' => 'Επιτυχής δημιουργία project',
+ 'archived_project' => 'Επιτυχής αρχειοθέτηση project',
+ 'archived_projects' => 'Επιτυχής αρχειοθέτηση :count projects',
+ 'restore_project' => 'Επαναφορά Project',
+ 'restored_project' => 'Επιτυχής ανάκτηση project',
+ 'delete_project' => 'Διαγραφή Project',
+ 'deleted_project' => 'Επιτυχής διαγραφή project',
+ 'deleted_projects' => 'Επιτυχής διαγραφή :count projects',
+ 'delete_expense_category' => 'Διαγραφή κατηγορίας',
+ 'deleted_expense_category' => 'Επιτυχής διαγραφή κατηγορίας',
+ 'delete_product' => 'Διαγραφή Προϊόντος',
+ 'deleted_product' => 'Επιτυχής διαγραφή προϊόντος',
+ 'deleted_products' => 'Επιτυχής διαγραφή :count προϊόντων',
+ 'restored_product' => 'Επιτυχής ανάκτηση προϊόντος',
+ 'update_credit' => 'Ενημέρωση Πίστωσης',
+ 'updated_credit' => 'Επιτυχής ενημέρωση πίστωσης',
+ 'edit_credit' => 'Επεξεργασία Πίστωσης',
+ 'live_preview_help' => 'Εμφάνιση μιας ζωντανής προεπισκόπησης του PDF του τιμολογίου.
Απενεργοποιήστε αυτή την επιλογή για βελτίωση της ταχύτητας επεξεργασίας τιμολογίων.',
+ 'force_pdfjs_help' => 'Αντικαταστήστε τον ενσωματωμένο παρουσιαστή PDF στο :chrome_link και :firefox_link.
Ενεργοποιήστε αυτή την επιλογή εάν ο browser σας κατεβάζει αυτόματα το PDF.',
+ 'force_pdfjs' => 'Παρεμπόδιση Κατεβάσματος',
+ 'redirect_url' => 'URL Ανακατεύθυνσης',
+ 'redirect_url_help' => 'Εναλλακτικά ορίστε ένα URL για ανακατεύθυνση μετά την πραγματοποίηση μιας πληρωμής.',
+ 'save_draft' => 'Αποθήκευση Πρόχειρου',
+ 'refunded_credit_payment' => 'Επιστροφή πιστωτικών πληρωμών',
+ 'keyboard_shortcuts' => 'Συντομεύσεις Πληκτρολογίου',
+ 'toggle_menu' => 'Εναλλαγή Μενού',
+ 'new_...' => 'Νέο ...',
+ 'list_...' => 'Εμφάνιση ...',
+ 'created_at' => 'Ημ/νία Δημιουργίας',
+ 'contact_us' => 'Επικοινωνήστε μαζί μας',
+ 'user_guide' => 'Οδηγός Χρήσης',
+ 'promo_message' => 'Αναβαθμίστε πριν από :expires και πάρτε έκπτωση :amount στα Επαγγελματικά και Εταιρικά μας πακέτα.',
+ 'discount_message' => ':amount λήγουν :expires',
+ 'mark_paid' => 'Όρισε ως Πληρωμένα',
+ 'marked_sent_invoice' => 'Επιτυχής ορισμός τιμολογίου ως απεσταλμένο',
+ 'marked_sent_invoices' => 'Επιτυχής ορισμός τιμολογίων ως απεσταλμένα',
+ 'invoice_name' => 'Τιμολόγιο',
+ 'product_will_create' => 'προϊόν θα δημιουργηθεί',
+ 'contact_us_response' => 'Ευχαριστούμε για το μήνυμά σας! Θα προσπαθήσουμε να σας απαντήσουμε το συντομότερο δυνατό.',
+ 'last_7_days' => 'Τελευταίες 7 Ημέρες',
+ 'last_30_days' => 'Τελευταίες 30 Ημέρες',
+ 'this_month' => 'Αυτός ο Μήνας',
+ 'last_month' => 'Προηγούμενος Μήνας',
+ 'last_year' => 'Προηγούμενος Χρόνος',
+ 'custom_range' => 'Προσαρμοσμένο Εύρος',
+ 'url' => 'URL',
+ 'debug' => 'Αποσφαλμάτωση',
+ 'https' => 'HTTPS',
+ 'require' => 'Απαιτεί',
+ 'license_expiring' => 'Σημείωση: Η άδεια χρήσης σας θα λήξει σε :count ημέρες, :link για ανανέωση.',
+ 'security_confirmation' => 'Η διεύθυνση email σας έχει επιβεβαιωθεί.',
+ 'white_label_expired' => 'Η άδεια χρήσης λευκής ετικέτας σας έχει λήξει, παρακαλώ σκεφτείτε την ανανέωσή της για να υποστηρίξετε το project μας.',
+ 'renew_license' => 'Ανανέωση Άδειας Χρήσης',
+ 'iphone_app_message' => 'Σκεφτείτε να κατεβάσετε το :link',
+ 'iphone_app' => 'Εφαρμογή iPhone',
+ 'android_app' => 'Εφαρμογή Android',
+ 'logged_in' => 'Εισηγμένος',
+ 'switch_to_primary' => 'Αλλάξτε στην πρωτεύουσα επιχείρηση (:name) για να διαχειριστείτε το πλάνο σας.',
+ 'inclusive' => 'Συμπεριλαμβάνεται',
+ 'exclusive' => 'Δεν συμπεριλαμβάνεται',
+ 'postal_city_state' => 'ΤΚ/Πόλη/Περιοχή',
+ 'phantomjs_help' => 'Σε συγκεκριμένες περιπτώσεις η εφαρμογή χρησιμοποιεί το :link_phantom για να δημιουργήσει το PDF, εγκαταστήστε το :link_docs για να το δημιουργήσετε τοπικά.',
+ 'phantomjs_local' => 'Χρήση του τοπικού PhantomJS',
+ 'client_number' => 'Αριθμός Πελάτη',
+ 'client_number_help' => 'Ορίστε ένα πρόθεμα ή χρησιμοποιήστε ένα προσαρμοσμένο μοτίβο για να καθορίζετε δυναμικά τον αριθμό πελάτη.',
+ 'next_client_number' => 'Ο επόμενος αριθμός πελάτη είναι :number.',
+ 'generated_numbers' => 'Δημιουργημένοι Αριθμοί',
+ 'notes_reminder1' => 'Πρώτη Υπενθύμιση',
+ 'notes_reminder2' => 'Δεύτερη Υπενθύμιση',
+ 'notes_reminder3' => 'Τρίτη Υπενθύμιση',
+ 'bcc_email' => 'Email ιδιαίτερης κοινοποίησης',
+ 'tax_quote' => 'Προσφορά Φόρου',
+ 'tax_invoice' => 'Τιμολόγιο Φόρου',
+ 'emailed_invoices' => 'Επιτυχής αποστολή τιμολογίων',
+ 'emailed_quotes' => 'Επιτυχής αποστολή προσφορών',
+ 'website_url' => 'Διεύθυνση ιστοσελίδας',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Χρησιμοποιημένο στο portal του πελάτη όταν στέλνετε emails.',
+ 'domain_help_website' => 'Χρησιμοποιημένο όταν στέλνετε emails.',
+ 'preview' => 'Προεπισκόπηση',
+ 'import_invoices' => 'Εισαγωγή Τιμολογίων',
+ 'new_report' => 'Νέα Αναφορά',
+ 'edit_report' => 'Επεξεργασία Αναφοράς',
+ 'columns' => 'Στήλες',
+ 'filters' => 'Φίλτρα',
+ 'sort_by' => 'Ταξινόμηση Κατά',
+ 'draft' => 'Πρόχειρο',
+ 'unpaid' => 'Μη εξοφλημένη',
+ 'aging' => 'Γήρανση',
+ 'age' => 'Ηλικία',
+ 'days' => 'Ημέρες',
+ 'age_group_0' => '0 - 30 Ημέρες',
+ 'age_group_30' => '30 - 60 Ημέρες',
+ 'age_group_60' => '60 - 90 Ημέρες',
+ 'age_group_90' => '90 - 120 Ημέρες',
+ 'age_group_120' => '120+ Ημέρες',
+ 'invoice_details' => 'Στοιχεία Τιμολογίου',
+ 'qty' => 'Ποσότητα',
+ 'profit_and_loss' => 'Κέρδος και Ζημιά',
+ 'revenue' => 'Έσοδα',
+ 'profit' => 'Κέρδος',
+ 'group_when_sorted' => 'Ομαδική Ταξινόμηση',
+ 'group_dates_by' => 'Ομαδοποίηση Ημερομηνιών Κατά',
+ 'year' => 'Έτος',
+ 'view_statement' => 'Εμφάνιση Δήλωσης',
+ 'statement' => 'Δήλωση',
+ 'statement_date' => 'Ημ/νία Δήλωσης',
+ 'mark_active' => 'Σήμανση ως Ενεργό',
+ 'send_automatically' => 'Αυτόματη Αποστολή',
+ 'initial_email' => 'Αρχικό Email',
+ 'invoice_not_emailed' => 'Το τιμολόγιο δεν έχει αποσταλεί με email.',
+ 'quote_not_emailed' => 'Η προσφορά δεν έχει αποσταλεί με email.',
+ 'sent_by' => 'Απεστάλη από :user',
+ 'recipients' => 'Παραλήπτες',
+ 'save_as_default' => 'Αποθήκευση ως προεπιλογή',
+ 'template' => 'Πρότυπο',
+ 'start_of_week_help' => 'Χρησιμοποιήθηκε από date επιλογείς',
+ 'financial_year_start_help' => 'Χρησιμοποιήθηκε από date range επιλογείς',
+ 'reports_help' => 'Shift + Click για να γίνει ταξινόμηση με βάση πολλές στήλες, Ctrl + Click για εκκαθάριση της ομαδοποίησης.',
+ 'this_year' => 'Τρέχον Χρόνος',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Δημιουργήστε. Αποστείλετε. Εξοφληθείτε.',
+ 'login_or_existing' => 'Ή συνδεθείτε με ένα συνδεδεμένο λογαριασμό.',
+ 'sign_up_now' => 'Εγγραφή Τώρα',
+ 'not_a_member_yet' => 'Δεν είστε ακόμη μέλη;',
+ 'login_create_an_account' => 'Δημιουργία Λογαριασμού',
+ 'client_login' => 'Εισαγωγή Πελάτη',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Τιμολόγια Από:',
+ 'email_alias_message' => 'Απαιτείται από τον κάθε εταιρία να έχει μία μοναδική διεύθυνση email.
Σκεφτείτε τη χρήση ενός ψευδώνυμου. Πχ, email+label@example.com',
+ 'full_name' => 'Πλήρες Όνομα',
+ 'month_year' => 'ΜΗΝΑΣ/ΕΤΟΣ',
+ 'valid_thru' => 'Ισχύει\nthru',
+
+ 'product_fields' => 'Πεδία Προϊόντος',
+ 'custom_product_fields_help' => 'Προσθέστε ένα πεδίο όταν δημιουργείτε ένα προϊόν ή ένα τιμολόγιο και εμφανίστε την ετικέτα και την τιμή στο αρχείο PDF',
+ 'freq_two_months' => 'Δύο μήνες',
+ 'freq_yearly' => 'Ετήσιο',
+ 'profile' => 'Προφίλ',
+ 'payment_type_help' => 'Ορίζει τον προεπιλεγμένο τρόπο χειροκίνητης πληρωμής.',
+ 'industry_Construction' => 'Κατασκευή',
+ 'your_statement' => 'Η Δήλωσή σας',
+ 'statement_issued_to' => 'Η δήλωση εκδόθηκε προς',
+ 'statement_to' => 'Δήλωση προς',
+ 'customize_options' => 'Προσαρμογή επιλογών',
+ 'created_payment_term' => 'Επιτυχής δημιουργία όρων πληρωμής',
+ 'updated_payment_term' => 'Επιτυχής επικαιροποίηση όρων πληρωμής',
+ 'archived_payment_term' => 'Επιτυχής αποθήκευση όρου πληρωμής',
+ 'resend_invite' => 'Επαναποστολή Πρόσκλησης',
+ 'credit_created_by' => 'Πίστωση δημιουργήθηκε από την πληρωμή :transaction_reference',
+ 'created_payment_and_credit' => 'Επιτυχής δημιουργία πληρωμής και πίστωση',
+ 'created_payment_and_credit_emailed_client' => 'Επιτυχής δημιουργία πληρωμής και πίστωσης, και αποστολής email στον πελάτη',
+ 'create_project' => 'Δημιουργία project',
+ 'create_vendor' => 'Δημιουργία προμηθευτή',
+ 'create_expense_category' => 'Δημιουργία κατηγορίας',
+ 'pro_plan_reports' => ':link για την ενεργοποίηση των εκθέσεων με τη συμμετοχή στο Επαγγελματικό Πλάνο',
+ 'mark_ready' => 'Σήμανση ως Έτοιμο',
+
+ 'limits' => 'Όρια',
+ 'fees' => 'Προμήθειες',
+ 'fee' => 'Αμοιβή',
+ 'set_limits_fees' => 'Όρίστε :gateway_type Όρια/Προμήθειες',
+ 'fees_tax_help' => 'Ενεργοποιήστε τους φόρους ανά γραμμή για να ορίσετε τα ποσά φόρου για τις αμοιβές.',
+ 'fees_sample' => 'Η αμοιβή για ένα τιμολόγιο ποσού :amount θα είναι :total.',
+ 'discount_sample' => 'Η έκπτωση για ένα τιμολόγιο ποσού :amount θα είναι :total.',
+ 'no_fees' => 'Χωρίς Αμοιβές',
+ 'gateway_fees_disclaimer' => 'Προειδοποίηση: δεν επιτρέπουν όλες οι πολιτείες και πύλες πληρωμής να προσθέτετε προμήθειες, παρακαλούμε δείτε τους κατά τόπους νόμους / όρους παροχής υπηρειών',
+ 'percent' => 'Ποσοστό',
+ 'location' => 'Τοποθεσία',
+ 'line_item' => 'Προϊόν Γραμμής',
+ 'surcharge' => 'Επιβάρυνση',
+ 'location_first_surcharge' => 'Ενεργοποιημένο - Πρώτη επιβάρυνση',
+ 'location_second_surcharge' => 'Ενεργοποιημένο - Δεύτερη επιβάρυνση',
+ 'location_line_item' => 'Ενεργοποιημένο - Προϊόν γραμμής',
+ 'online_payment_surcharge' => 'Επιβάρυνση Πληρωμών Online',
+ 'gateway_fees' => 'Προμήθειες Πύλης Πληρωμής',
+ 'fees_disabled' => 'Οι προμήθειες είναι απενεργοποιημένες',
+ 'gateway_fees_help' => 'Προσθέστε αυτόματα μία επιβάρυνση/έκπτωση online πληρωμής.',
+ 'gateway' => 'Πύλη πληρωμής (Gateway)',
+ 'gateway_fee_change_warning' => 'Εάν υπάρχουν απλήρωτα τιμολόγια με προμήθειες πρέπει να ενημερωθούν χειροκίνητα.',
+ 'fees_surcharge_help' => 'Προσαρμογή επιβάρυνσης :link.',
+ 'label_and_taxes' => 'ετικέτες και φόρους',
+ 'billable' => 'Χρεώσιμο',
+ 'logo_warning_too_large' => 'Το αρχείο εικόνας είναι πολύ μεγάλο.',
+ 'logo_warning_fileinfo' => 'Προειδοποίηση: Για την υποστήριξη αρχείων gif πρέπει να έχει ενεργοποιηθεί η PHP επέκταση fileinfo',
+ 'logo_warning_invalid' => 'Υπήρξε ένα πρόβλημα ανάγνωσης του αρχείου εικόνας, παρακαλώ δοκιμάστε ένα διαφορετικό τύπο αρχείου.',
+
+ 'error_refresh_page' => 'Εμφανίστηκε ένα λάθος, παρακαλώ ανανεω΄στε αυτή τη σελίδα και προσπαθήστε ξανά.',
+ 'data' => 'Δεδομένα',
+ 'imported_settings' => 'Επιτυχής εισαγωγή ρυθμίσεων',
+ 'reset_counter' => 'Επανεκκίνηση Μετρητή',
+ 'next_reset' => 'Επόμενη επανεκκίνηση',
+ 'reset_counter_help' => 'Αυτόματη επανεκκίνηση των μετρητών τιμολογίου και προσφοράς.',
+ 'auto_bill_failed' => 'Αυτόματη τιμολόγηση για το τιμολόγιο :invoice_number failed',
+ 'online_payment_discount' => 'Έκπτωση Online Πληρωμής',
+ 'created_new_company' => 'Επιτυχής δημιουργία νέας εταιρίας',
+ 'fees_disabled_for_gateway' => 'Οι προμήθειες είναι απενεργοποιημένες γι\' αυτή την πύλη πληρωμής.',
+ 'logout_and_delete' => 'Έξοδος/Διαγραφή λογαριασμού',
+ 'tax_rate_type_help' => 'Οι συμπεριλαμβανόμενοι φόροι προσαρμόζουν το κόστος προϊόντος ανά γραμμή όταν επιλεχθούν.
Μόνο οι μη συμπεριλαμβανόμενοι φόροι μπορούν να χρησιμοποιηθούν ως προεπιλεγμένοι.',
+ 'invoice_footer_help' => 'Χρησιμοποιήστε το $pageNumber και το $pageCount για να εμφανίσετε τις πληροφορίες σελίδας.',
+ 'credit_note' => 'Πιστωτικό Σημείωμα',
+ 'credit_issued_to' => 'Πίστωση εκδόθηκε προς',
+ 'credit_to' => 'Πίστωση προς',
+ 'your_credit' => 'Η Πίστωσή σας',
+ 'credit_number' => 'Αριθμός Πίστωσης',
+ 'create_credit_note' => 'Δημιουργία Πιστωτικού Σημειώματος',
+ 'menu' => 'Μενού',
+ 'error_incorrect_gateway_ids' => 'Σφάλμα: Ο πίνακας των πυλών πληρωμής (gateways) έχει λάθος αριθμούς.',
+ 'purge_data' => 'Εκκαθάριση Δεδομένων',
+ 'delete_data' => 'Διαγραφή Δεδομένων',
+ 'purge_data_help' => 'Οριστική διαγραφή όλων των δεδομένων αλλά διατήρηση λογαριασμού και ρυθμίσεων.',
+ 'cancel_account_help' => 'Οριστική διαγραφή του λογαριασμού με όλα τα δεδομένα και τις ρυθμίσεις.',
+ 'purge_successful' => 'Επιτυχής εκκαθάριση δεδομένων επιχείρησης',
+ 'forbidden' => 'Απαγορευμένο',
+ 'purge_data_message' => 'Προσοχή: Αυτό θα σβήσει όλα σας τα δεδομένα, χωρίς δυνατότητα αναίρεσης.',
+ 'contact_phone' => 'Τηλέφωνο Επικοινωνίας',
+ 'contact_email' => 'Email Επικοινωνίας',
+ 'reply_to_email' => 'Email Απάντησης',
+ 'reply_to_email_help' => 'Ορίστε τη διεύθυνση απάντησης για τα emails που απευθύνονται στους πελάτες.',
+ 'bcc_email_help' => 'Ορίστε τη διεύθυνση κρυφής αποστολής για τα emails που απευθύνονται στους πελάτες.',
+ 'import_complete' => 'Επιτυχής ολοκλήρωση της εισαγωγής',
+ 'confirm_account_to_import' => 'Παρακαλώ επιβεβαιώστε το λογαριασμό σας για εισαγωγή δεδομένων',
+ 'import_started' => 'Η εισαγωγή δεδομένων ξεκίνησε, θα σας αποσταλεί email με την ολοκλήρωση.',
+ 'listening' => 'Ηχητική καταγραφή...',
+ 'microphone_help' => 'Πείτε "νέο τιμολόγιο για [client]" ή "εμφάνισέ μου τις αρχειοθετημένες πληρωμές του [client]"',
+ 'voice_commands' => 'Ηχητικές Εντολές',
+ 'sample_commands' => 'Δείγματα εντολών',
+ 'voice_commands_feedback' => 'Εργαζόμαστε για να βελτιώσουμε αυτό το χαρακτηριστικό, εάν υπάρχει μία εντολή που θέλετε να υποστηρίζουμε παρακαλούμε στείλτε μας email στο :email.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Έμβασμα',
+ 'archived_products' => 'Επιτυχής αρχειοθέτηση :count προϊόντων',
+ 'recommend_on' => 'Προτείνουμε την ενεργοποίηση αυτής της ρύθμισης.',
+ 'recommend_off' => 'Προτείνουμε την απενεργοποίηση αυτής της ρύθμισης.',
+ 'notes_auto_billed' => 'Αυτόματη χρέωση',
+ 'surcharge_label' => 'Ετικέτα Επιβάρυνσης',
+ 'contact_fields' => 'Πεδία Επαφής',
+ 'custom_contact_fields_help' => 'Προσθέστε ένα πεδίο όταν δημιουργείτε μία επαφή και επιλέξτε δυνητικά την εμφάνισή της ετικέτας και της τιμής στο αρχείο PDF.',
+ 'datatable_info' => 'Εμφάνιση :start έως :end από :total εγγραφές',
+ 'credit_total' => 'Συνολική Πίστωση',
+ 'mark_billable' => 'Σήμανση ως χρεώσιμο',
+ 'billed' => 'Τιμολογήθηκαν',
+ 'company_variables' => 'Μεταβλητές Εταιρίας',
+ 'client_variables' => 'Μεταβλητές Πελάτη',
+ 'invoice_variables' => 'Μεταβλητές Τιμολογίου',
+ 'navigation_variables' => 'Μεταβλητές Πλοήγησης',
+ 'custom_variables' => 'Προσαρμοσμένες Μεταβλητές',
+ 'invalid_file' => 'Μη έγκυρος τύπος αρχείου',
+ 'add_documents_to_invoice' => 'Προσθέστε έγγραφα στο τιμολόγιο',
+ 'mark_expense_paid' => 'Σήμανση ως εξοφλημένο',
+ 'white_label_license_error' => 'Αδυναμία επικύρωσης της άδειας, ελέγξτε το αρχείο storage/logs/laravel-error.log για περισσότερες λεπτομέρειες.',
+ 'plan_price' => 'Τιμή Πλάνου',
+ 'wrong_confirmation' => 'Λανθασμένος κωδικός επιβεβαίωσης',
+ 'oauth_taken' => 'Ο λογαριασμός χρήστη έχει ήδη καταχωρηθεί',
+ 'emailed_payment' => 'Επιτυχής αποστολή πληρωμής με Email',
+ 'email_payment' => 'Αποστολή πληρωμής με Email',
+ 'invoiceplane_import' => 'Χρησιμοποιήστε το :link για να μεταφέρετε τα δεδομένα σας από το InvoicePlane.',
+ 'duplicate_expense_warning' => 'Προειδοποίηση: Το :link μπορεί να είναι διπλή εγγραφή',
+ 'expense_link' => 'έξοδο',
+ 'resume_task' => 'Επανέναρξη Εργασίας',
+ 'resumed_task' => 'Επιτυχής επανέναρξη εργασίας',
+ 'quote_design' => 'Σχεδιασμός Προσφοράς',
+ 'default_design' => 'Προεπιλεγμένος Σχεδιασμός',
+ 'custom_design1' => 'Προσαρμοσμένος Σχεδιασμός 1',
+ 'custom_design2' => 'Προσαρμοσμένος Σχεδιασμός 2',
+ 'custom_design3' => 'Προσαρμοσμένος Σχεδιασμός 3',
+ 'empty' => 'Κενό',
+ 'load_design' => 'Φόρτωση Σχεδιασμού',
+ 'accepted_card_logos' => 'Λογότυπα Αποδεκτών Καρτών',
+ 'phantomjs_local_and_cloud' => 'Χρησιμοποιείτε το τοπικό PhantomJS, επιστροφή πίσω στο phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Κλειδί Analytics',
+ 'analytics_key_help' => 'Ιχνηλατήστε τις πληρωμές σας χρησιμοποιώντας :link',
+ 'start_date_required' => 'Απαιτείται η ημερομηνία έναρξης',
+ 'application_settings' => 'Ρυθμίσεις Εφαρμογής',
+ 'database_connection' => 'Σύνδεση Βάσης Δεδομένων',
+ 'driver' => 'Οδηγός',
+ 'host' => 'Εξυπηρετητής',
+ 'database' => 'Βάση Δεδομένων',
+ 'test_connection' => 'Έλεγχος σύνδεσης',
+ 'from_name' => 'Από Όνομα',
+ 'from_address' => 'Από Διεύθυνση',
+ 'port' => 'Πόρτα',
+ 'encryption' => 'Κρυπτογράφηση',
+ 'mailgun_domain' => 'Όνομα χώρου Mailgun',
+ 'mailgun_private_key' => 'Ιδιωτικό Κλειδί Mailgun',
+ 'send_test_email' => 'Αποστολή δοκιμαστικού email',
+ 'select_label' => 'Επιλογή Ετικέτας',
+ 'label' => 'Ετικέτα',
+ 'service' => 'Υπηρεσία',
+ 'update_payment_details' => 'Ανανέωση στοιχείων πληρωμής',
+ 'updated_payment_details' => 'Επιτυχής ανανέωση στοιχείων πληρωμής',
+ 'update_credit_card' => 'Ανανέωση Πιστωτικής Κάρτας',
+ 'recurring_expenses' => 'Επαναλαμβανόμενες Δαπάνες',
+ 'recurring_expense' => 'Επαναλαμβανόμενη Δαπάνη',
+ 'new_recurring_expense' => 'Νέα Επαναλαμβανόμενη Δαπάνη',
+ 'edit_recurring_expense' => 'Επεξεργασία Επαναλαμβανόμενης Δαπάνης',
+ 'archive_recurring_expense' => 'Αρχειοθέτηση Επαναλαμβανόμενης Δαπάνης',
+ 'list_recurring_expense' => 'Εμφάνιση Επαναλαμβανόμενων Δαπανών',
+ 'updated_recurring_expense' => 'Επιτυχής ενημέρωση επαναλαμβανόμενης δαπάνης',
+ 'created_recurring_expense' => 'Επιτυχής δημιουργία επαναλαμβανόμενης δαπάνης',
+ 'archived_recurring_expense' => 'Επιτυχής αρχειοθέτηση επαναλαμβανόμενης δαπάνης',
+ 'archived_recurring_expense' => 'Επιτυχής αρχειοθέτηση επαναλαμβανόμενης δαπάνης',
+ 'restore_recurring_expense' => 'Επαναφορά Επαναλαμβανόμενης Δαπάνης',
+ 'restored_recurring_expense' => 'Επιτυχής επαναφορά επαναλαμβανόμενης δαπάνης',
+ 'delete_recurring_expense' => 'Διαγραφή Επαναλαμβανόμενης Δαπάνης',
+ 'deleted_recurring_expense' => 'Επιτυχής διαγραφή project',
+ 'deleted_recurring_expense' => 'Επιτυχής διαγραφή project',
+ 'view_recurring_expense' => 'Εμφάνιση Επαναλαμβανόμενης Δαπάνης',
+ 'taxes_and_fees' => 'Φόροι και προμήθειες',
+ 'import_failed' => 'Εισαγωγή Απέτυχε',
+ 'recurring_prefix' => 'Επαναλαμβανόμενο Πρόθεμα',
+ 'options' => 'Επιλογές',
+ 'credit_number_help' => 'Ορίστε ένα πρόθεμα ή χρησιμοποιήστε ένα προσαρμοσμένο μοτίβο για να καθορίζετε δυναμικά τον αριθμό πίστωσης για αρνητικά τιμολόγια.',
+ 'next_credit_number' => 'Ο επόμενος αριθμός πίστωσης είναι :number.',
+ 'padding_help' => 'Το πλήθος των μηδενικών για τη δημιουργία του αριθμού.',
+ 'import_warning_invalid_date' => 'Προειδοποίηση: Η μορφή της ημερομηνίας μοιάζει να είναι μη έγκυρη.',
+ 'product_notes' => 'Σημειώσεις Προϊόντος',
+ 'app_version' => 'Έκδοση Εφαρμογής',
+ 'ofx_version' => 'Έκδοση OFX',
+ 'gateway_help_23' => ':link για να λάβετε τα κλειδιά του Stripe API.',
+ 'error_app_key_set_to_default' => 'Σφάλμα: Το APP_KEY έχει οριστεί στην προκαθορισμένη τιμή, για να το ενημερώσετε κάντε αντίγραφο ασφαλείας από τη βάση δεδομένων και εκτελέστε το php artisan ninja:update-key
',
+ 'charge_late_fee' => 'Χρέωση Καθυστερημένης Εξόφλισης',
+ 'late_fee_amount' => 'Ποσό Χρέωσης Καθυστερημένης Εξόφλισης',
+ 'late_fee_percent' => 'Ποσοστό Χρέωσης Καθυστερημένης Εξόφλισης',
+ 'late_fee_added' => 'Χρέωση καθυστερημένης εξόφλισης προστέθηκε την :date',
+ 'download_invoice' => 'Κατέβασμα Τιμολογίου',
+ 'download_quote' => 'Κατέβασμα Προσφοράς',
+ 'invoices_are_attached' => 'Τα αρχεία PDF έχουν επισυναφθεί.',
+ 'downloaded_invoice' => 'Θα αποσταλεί email με το τιμολόγιο σε αρχείο PDF',
+ 'downloaded_quote' => 'Θα αποσταλεί email με την προσφορά σε αρχείο PDF',
+ 'downloaded_invoices' => 'Θα αποσταλεί email με τα τιμολόγια σε αρχεία PDF',
+ 'downloaded_quotes' => 'Θα αποσταλεί email με τις προσφορές σε αρχεία PDF',
+ 'clone_expense' => 'Κλωνοποίηση Δαπάνης',
+ 'default_documents' => 'Προεπιλεγμένα Κείμενα',
+ 'send_email_to_client' => 'Αποστολή email στον πελάτη',
+ 'refund_subject' => 'Επιστροφή Χρημάτων Επεξεργάσθηκε',
+ 'refund_body' => 'Έχετε επιστροφή χρημάτων ποσού :amount για το τιμολόγιο :invoice_number.',
+
+ 'currency_us_dollar' => 'Δολάριο Ηνωμένων Πολιτειών',
+ 'currency_british_pound' => 'Βρετανική Λίρα',
+ 'currency_euro' => 'Ευρώ',
+ 'currency_south_african_rand' => 'Ραντ Νότιας Αφρικής',
+ 'currency_danish_krone' => 'Δανική Κορώνα',
+ 'currency_israeli_shekel' => 'Σέκελ Ισραήλ',
+ 'currency_swedish_krona' => 'Κορώνα Σουηδίας',
+ 'currency_kenyan_shilling' => 'Σελίνι Κένυας',
+ 'currency_canadian_dollar' => 'Δολάριο Καναδά',
+ 'currency_philippine_peso' => 'Πέσο Φιλιπίνων',
+ 'currency_indian_rupee' => 'Ρουπία Ινδίας',
+ 'currency_australian_dollar' => 'Δολάριο Αυστραλίας',
+ 'currency_singapore_dollar' => 'Δολάριο Σιγκαπούρης',
+ 'currency_norske_kroner' => 'Κορώνα Νορβηγίας',
+ 'currency_new_zealand_dollar' => 'Δολάριο Νέας Ζηλανδίας',
+ 'currency_vietnamese_dong' => 'Ντονγκ Βιετνάμ',
+ 'currency_swiss_franc' => 'Φράγκο Σουηδίας',
+ 'currency_guatemalan_quetzal' => 'Κουετσάλ Γουατεμάλας',
+ 'currency_malaysian_ringgit' => 'Ρινγκίτ Μαλαισίας',
+ 'currency_brazilian_real' => 'Ρεάλ Βραζιλίας',
+ 'currency_thai_baht' => 'Μπατ Ταϊλάνδης',
+ 'currency_nigerian_naira' => 'Νάιρα Νιγηρίας',
+ 'currency_argentine_peso' => 'Πέσο Αργεντινής',
+ 'currency_bangladeshi_taka' => 'Τάκα Μπαγκλαντές',
+ 'currency_united_arab_emirates_dirham' => 'Ντιρχάμ Ηνωμένων Αραβικών Εμιράτων',
+ 'currency_hong_kong_dollar' => 'Δολάριο Χονγκ Κονγκ',
+ 'currency_indonesian_rupiah' => 'Ρουπία Ινδονησίας',
+ 'currency_mexican_peso' => 'Πέσο Μεξικού',
+ 'currency_egyptian_pound' => 'Λίρα Αιγύπτου',
+ 'currency_colombian_peso' => 'Πέσο Κολομβίας',
+ 'currency_west_african_franc' => 'Φράγκο Δυτικής Αφρικής',
+ 'currency_chinese_renminbi' => 'Ρενμίνμπι Κίνας',
+ 'currency_rwandan_franc' => 'Φράγκο Ρουάντα',
+ 'currency_tanzanian_shilling' => 'Σελίνι Τανζανίας',
+ 'currency_netherlands_antillean_guilder' => 'Γκίλντα Ολλανδικών Αντιλλών',
+ 'currency_trinidad_and_tobago_dollar' => 'Δολάριο Τρινιντάντ και Ταμπάκο',
+ 'currency_east_caribbean_dollar' => 'Δολάριο Ανατολικής Καραϊβικής',
+ 'currency_ghanaian_cedi' => 'Σέντι Γκάνας',
+ 'currency_bulgarian_lev' => 'Λέβαβ Βουλγαρίας',
+ 'currency_aruban_florin' => 'Φιορίνι Αρούμπα',
+ 'currency_turkish_lira' => 'Λίρα Τουρκίας',
+ 'currency_romanian_new_leu' => 'Νέο Λέβα Ρουμανίας',
+ 'currency_croatian_kuna' => 'Κούνα Κροατίας',
+ 'currency_saudi_riyal' => 'Ριάλ Σαουδικής Αραβίας',
+ 'currency_japanese_yen' => 'Γιεν Ιαπωνίας',
+ 'currency_maldivian_rufiyaa' => 'Ρουφίγια Μαλδίβων',
+ 'currency_costa_rican_colon' => 'Κολόν Κόστα Ρίκας',
+ 'currency_pakistani_rupee' => 'Ρουπία Πακιστάν',
+ 'currency_polish_zloty' => 'Ζλότυ Πολωνίας',
+ 'currency_sri_lankan_rupee' => 'Ρουπία Σρι Λάνκα',
+ 'currency_czech_koruna' => 'Κορώνα Τσεχίας',
+ 'currency_uruguayan_peso' => 'Πέσο Ουρουγουάης',
+ 'currency_namibian_dollar' => 'Δολάριο Ναμίμπια',
+ 'currency_tunisian_dinar' => 'Δηνάριο Τυνησίας',
+ 'currency_russian_ruble' => 'Ρούβλι Ρωσίας',
+ 'currency_mozambican_metical' => 'Μετικάλ Μοζαμβίκης',
+ 'currency_omani_rial' => 'Ριάλ Ομάν',
+ 'currency_ukrainian_hryvnia' => 'Γρίβνα Ουκρανίας',
+ 'currency_macanese_pataca' => 'Πατάκα Μακάο',
+ 'currency_taiwan_new_dollar' => 'Νέο Δολάριο Ταϊβάν',
+ 'currency_dominican_peso' => 'Πέσο Αγίου Δομίνικου',
+ 'currency_chilean_peso' => 'Πέσο χιλής',
+ 'currency_icelandic_krona' => 'Κορώνα Ισλανδίας',
+ 'currency_papua_new_guinean_kina' => 'Κίνα Παπούα και Νέα Γουινέα',
+ 'currency_jordanian_dinar' => 'Δηνάριο Ιορδανίας',
+ 'currency_myanmar_kyat' => 'Κιάτ Νιανμάρ',
+ 'currency_peruvian_sol' => 'Σολ Περού',
+ 'currency_botswana_pula' => 'Πούλα Μποτσουάνας',
+ 'currency_hungarian_forint' => 'Ουγγρικό Φιορίνι',
+ 'currency_ugandan_shilling' => 'Σελίνι Ουγκάντας ',
+ 'currency_barbadian_dollar' => 'Δολάριο Μπαρμπέιντος',
+ 'currency_brunei_dollar' => 'Δολάριο Μπρουνέι',
+ 'currency_georgian_lari' => 'Λάρι Γεωργίας',
+ 'currency_qatari_riyal' => 'Ριγιάλ Κατάρ',
+ 'currency_honduran_lempira' => 'Λεμπίρα Ονδούρας',
+ 'currency_surinamese_dollar' => 'Δολάριο Σουρινάμ',
+ 'currency_bahraini_dinar' => 'Δηνάριο Μπαχρέιν',
+
+ 'review_app_help' => 'Ελπίζουμε να απολαμβάνετε τη χρήση της εφαρμογής.
Εάν θα θέλατε να γράψετε μια κριτική :link θα το εκτιμούσαμε ιδιαίτερα!',
+ 'writing_a_review' => 'συγγραφή κριτικής',
+
+ 'use_english_version' => 'Σιγουρευτείτε ότι χρησιμοποιείτε την Αγγλική έκδοση των αρχείων.
Χρησιμοποιούμε τις κεφαλίδες των στηλών για να ταιριάξουμε τα πεδία.',
+ 'tax1' => 'Πρώτο; Φόρος',
+ 'tax2' => 'Δεύτερος Φόρος',
+ 'fee_help' => 'Προμήθειες της πύλης πληρωμής (Gateway) είναι τα κόστη για την πρόσβαση στα δίκτυα που αναλαμβάνουν την επεξεργασία των online πληρωμών',
+ 'format_export' => 'Μορφή εξαγωγής',
+ 'custom1' => 'Πρώτη Προσαρμογή',
+ 'custom2' => 'Δεύτερη Προσαρμογή',
+ 'contact_first_name' => 'Όνομα Επαφής',
+ 'contact_last_name' => 'Επώνυμο Επαφής',
+ 'contact_custom1' => 'Πρώτη Προσαρμογή Επαφής',
+ 'contact_custom2' => 'Δεύτερη Προσαρμογή Επαφής',
+ 'currency' => 'Νόμισμα',
+ 'ofx_help' => 'Για αποσφαλμάτωση ελέγξτε για σχόλια στο :ofxhome_link και τεστάρετε με :ofxget_link.',
+ 'comments' => 'σχόλια',
+
+ 'item_product' => 'Προϊόν',
+ 'item_notes' => 'Σημειώσεις Προϊόντος',
+ 'item_cost' => 'Κόστος Προϊόντος',
+ 'item_quantity' => 'Ποσότητα Προϊόντος',
+ 'item_tax_rate' => 'Ποσοστό Φόρου Προϊόντος',
+ 'item_tax_name' => 'Όνομα Φόρου Προϊόντος',
+ 'item_tax1' => 'Φόρος1 Προϊόντος',
+ 'item_tax2' => 'Φόρος2 Προϊόντος',
+
+ 'delete_company' => 'Διαγραφή Επιχείρησης',
+ 'delete_company_help' => 'Οριστική διαγραφή της επιχείρησης μαζί με όλα τα δεδομένα και τις ρυθμίσεις.',
+ 'delete_company_message' => 'Προειδοποίηση: Αυτό θα διαγράψει οριστικά την επιχείρηση, χωρίς αναίρεση.',
+
+ 'applied_discount' => 'Το κουπόνι έχει εφαρμοσθεί, το κόστος του πλάνου έχει μειωθεί κατά :discount%.',
+ 'applied_free_year' => 'Το κουπόνι έχει εφαρμοσθεί, ο λογαριασμός σας έχει αναβαθμιστεί σε επαγγελματικό για ένα χρόνο.',
+
+ 'contact_us_help' => 'Εάν αναφέρετε ένα λάθος παρακαλούμε να συμπεριλάβετε οποιοδήποτε σχετικά logs από τη θέση storage/logs/laravel-error.log',
+ 'include_errors' => 'Συμπερίληψη Λαθών',
+ 'include_errors_help' => 'Συμπεριλάβετε το :link από τη θέση storage/logs/laravel-error.log',
+ 'recent_errors' => 'πρόσφατα σφάλματα',
+ 'customer' => 'Πελάτης',
+ 'customers' => 'Πελάτες',
+ 'created_customer' => 'Επιτυχής δημιουργία πελάτη',
+ 'created_customers' => 'Επιτυχής δημιουργία :count πελατών',
+
+ 'purge_details' => 'Τα δεδομένα στην επιχείρησή σας (:account) έχουν εκκαθαριστεί επιτυχώς.',
+ 'deleted_company' => 'Επιτυχής διαγραφή επιχείρησης',
+ 'deleted_account' => 'Επιτυχής ακύρωση λογαριασμού',
+ 'deleted_company_details' => 'Η επιχείρησή σας (:account) έχει διαγραφεί επιτυχώς.',
+ 'deleted_account_details' => 'Ο λογαριασμός σας (:account) έχει διαγραφεί επιτυχώς.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'Απευθείας πίστωση SEPA',
+ 'enable_alipay' => 'Αποδοχή Alipay',
+ 'enable_sofort' => 'Αποδοχή τραπεζικών εμβασμάτων από τράπεζες της Ευρώπης',
+ 'stripe_alipay_help' => 'Αυτές οι πύλες πληρωμών πρέπει επίσης να ενεργοποιηθούν στο :link.',
+ 'calendar' => 'Ημερολόγιο',
+ 'pro_plan_calendar' => ':link για να ενεργοποιήσετε το ημερολόγιο συμμετέχοντας στο Επαγγελματικό Πλάνο',
+
+ 'what_are_you_working_on' => 'Σε τι εργάζεστε;',
+ 'time_tracker' => 'Παρακολούθηση Χρόνου',
+ 'refresh' => 'Ανανέωση',
+ 'filter_sort' => 'Φιλτράρισμα/Ταξινόμηση',
+ 'no_description' => 'Καμία Περιγραφή',
+ 'time_tracker_login' => 'Εισαγωγή στην Παρακολούθηση Χρόνου',
+ 'save_or_discard' => 'Αποθήκευση ή απόρριψη των αλλαγών σας',
+ 'discard_changes' => 'Απόρριψη Αλλαγών',
+ 'tasks_not_enabled' => 'Οι εργασίες δεν έχουν ενεργοποιηθεί.',
+ 'started_task' => 'Επιτυχής έναρξη εργασίας',
+ 'create_client' => 'Δημιουργία Πελάτη',
+
+ 'download_desktop_app' => 'Λήψη της εφαρμογής για Desktop',
+ 'download_iphone_app' => 'Λήψη της εφαρμογής για IPhone',
+ 'download_android_app' => 'Λήψη της εφαρμογής για Android',
+ 'time_tracker_mobile_help' => 'κάντε διπλό κλικ στην εργασία για να την επιλέξετε',
+ 'stopped' => 'Διακόπηκε',
+ 'ascending' => 'Αύξουσα σειρά',
+ 'descending' => 'Φθίνουσα σειρά',
+ 'sort_field' => 'Ταξινόμηση κατά',
+ 'sort_direction' => 'Κατεύθυνση',
+ 'discard' => 'Απόρριψη',
+ 'time_am' => 'πμ',
+ 'time_pm' => 'μμ',
+ 'time_mins' => 'λ',
+ 'time_hr' => 'ω',
+ 'time_hrs' => 'ω',
+ 'clear' => 'Καθαρισμός',
+ 'warn_payment_gateway' => 'Σημείωση: η αποδοχή online πληρωμών απαιτεί μία πύλη πληρωμών, :link για να προσθέσετε μία.',
+ 'task_rate' => 'Κόστος Εργασίας',
+ 'task_rate_help' => 'Ορίστε το προκαθορισμένο ποσοστό για τις τιμολογημένες εργασίες.',
+ 'past_due' => 'Ληγμένα',
+ 'document' => 'Έγγραφο',
+ 'invoice_or_expense' => 'Τιμολόγιο/Δαπάνη',
+ 'invoice_pdfs' => 'Αρχεία PDF Τιμολογίου',
+ 'enable_sepa' => 'Αποδοχή SEPA',
+ 'enable_bitcoin' => 'Αποδοχή Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => 'Παρέχοντας το IBAN και επιβεβαιώνοντας αυτή την πληρωμή, εξουσιοδοτείτε την :company και το Stripe, τον πάροχο υπηρεσιών πληρωμών μας, να στείλει οδηγίες στην τράπεζά σας πως να πιστώσει τον λογαριασμό και να πιστώσει το λογαριασμό σε συμφωνία με αυτές τις οδηγίες. Δικαιούστε επιστροφή χρημάτων από την τράπεζά σας βάσει των όρων της σύμβασής σας με την τράπεζά σας. Η επιστροφή των χρημάτων πρέπει να γίνει απαιτητή μέσα σε 8 εβδομάδες από την ημερομηνία που πιστώθηκε ο λογαριασμός σας.',
+ 'recover_license' => 'Επαναφορά Άδειας Χρήσης',
+ 'purchase' => 'Αγορά',
+ 'recover' => 'Επαναφορά',
+ 'apply' => 'Εφαρμογή',
+ 'recover_white_label_header' => 'Επαναφορά Άδειας Χρήσης Λευκής Ετικέτας',
+ 'apply_white_label_header' => 'Εφαρμογή Άδειας Χρήσης Λευκής Ετικέτας',
+ 'videos' => 'Βίντεο',
+ 'video' => 'Βίντεο',
+ 'return_to_invoice' => 'Επιστροφή στο Τιμολόγιο',
+ 'gateway_help_13' => 'Για να χρησιμοποιήσετε το ITN αφήστε κενό το πεδίο για το κλειδί PDT.',
+ 'partial_due_date' => 'Ημερομηνία Μερικής Πληρωμής',
+ 'task_fields' => 'Πεδία Εργασίας',
+ 'product_fields_help' => 'Μεταφέρετε και αποθέστε πεδία για να αλλάξετε τη σειρά τους',
+ 'custom_value1' => 'Προσαρμοσμένη Τιμή',
+ 'custom_value2' => 'Προσαρμοσμένη Τιμή',
+ 'enable_two_factor' => 'Αυθεντικοποίηση δύο σημείων',
+ 'enable_two_factor_help' => 'Χρησιμοποιήστε του τηλέφωνό σας για να επιβεβαιώσετε την ταυτότητά σας όταν πραγματοποιείτε είσοδο στο σύστημα',
+ 'two_factor_setup' => 'Εγκατάσταση δύο σημείων',
+ 'two_factor_setup_help' => 'Σκανάρετε το barcode με μία :link συμβατή εφαρμογή.',
+ 'one_time_password' => 'Κωδικός Πρόσβασης μίας Φοράς',
+ 'set_phone_for_two_factor' => 'Ορίστε τον αριθμό του κινητού τηλεφώνου σας ως αντίγραφο ασφαλείας για ενεργοποίηση.',
+ 'enabled_two_factor' => 'Επιτυχής ενεργοποίηση Αυθεντικοποίησης Δύο Σημείων',
+ 'add_product' => 'Προσθήκη Προϊόντος',
+ 'email_will_be_sent_on' => 'Σημείωση: το email θα αποσταλεί την :date.',
+ 'invoice_product' => 'Τιμολόγηση Προϊόντος',
+ 'self_host_login' => 'Στοιχεία εισόδου Ιδίας Φιλοξενίας',
+ 'set_self_hoat_url' => 'URL Ιδίας Φιλοξενίας',
+ 'local_storage_required' => 'Σφάλμα: η τοπική αποθήκευση δεν είναι διαθέσιμη.',
+ 'your_password_reset_link' => 'Ο σύνδεσμος για την επαναφορά του κωδικού πρόσβασής σας',
+ 'subdomain_taken' => 'Το subdomain χρησιμοποιείται ήδη',
+ 'client_login' => 'Εισαγωγή Πελάτη',
+ 'converted_amount' => 'Μετατρεπόμενο Ποσό',
+ 'default' => 'Προεπιλογή',
+ 'shipping_address' => 'Διεύθυνση Αποστολής',
+ 'bllling_address' => 'Διεύθυνση Χρέωσης',
+ 'billing_address1' => 'Οδός Χρέωσης',
+ 'billing_address2' => 'Διαμέρισμα Χρέωσης',
+ 'billing_city' => 'Πόλη Χρέωσης',
+ 'billing_state' => 'Περιφέρεια Χρέωσης',
+ 'billing_postal_code' => 'Ταχυδρομικός Κωδικός Χρέωσης',
+ 'billing_country' => 'Χώρα Χρέωσης',
+ 'shipping_address1' => 'Οδός Αποστολής',
+ 'shipping_address2' => 'Διαμέρισμα Αποστολής',
+ 'shipping_city' => 'Πόλη Αποστολής',
+ 'shipping_state' => 'Περιφέρεια Αποστολής',
+ 'shipping_postal_code' => 'Ταχυδρομικός Κώδικας Αποστολής',
+ 'shipping_country' => 'Χώρα Αποστολής',
+ 'classify' => 'Κατατάξτε',
+ 'show_shipping_address_help' => 'Απαιτήστε από τον πελάτη να εισάγει την διεύθυνση αποστολής του',
+ 'ship_to_billing_address' => 'Αποστολή στη διεύθυνση χρέωσης',
+ 'delivery_note' => 'Σημείωση Παράδοσης',
+ 'show_tasks_in_portal' => 'Εμφάνιση εργασιών στο portal του πελάτη',
+ 'cancel_schedule' => 'Ακύρωση Προγραμματισμού',
+ 'scheduled_report' => 'Προγραμματισμός Αναφοράς',
+ 'scheduled_report_help' => 'Στείλτε email με την αναφορά :report ως :format στο :email',
+ 'created_scheduled_report' => 'Επιτυχής προγραμματισμός αναφοράς',
+ 'deleted_scheduled_report' => 'Επιτυχής ακύρωση προγραμματισμού αναφοράς',
+ 'scheduled_report_attached' => 'Η προγραμματισμένη αναφορά τύπου :type είναι συνημμένη.',
+ 'scheduled_report_error' => 'Αποτυχία δημιουργίας προγραμματισμένης αναφοράς',
+ 'invalid_one_time_password' => 'Μη έγκυρος κωδικός πρόσβασης μιας φοράς',
+ 'apple_pay' => 'Apple/Google Πληρωμή',
+ 'enable_apple_pay' => 'Αποδοχή Πληρωμής Apple και Πληρωμή με Google',
+ 'requires_subdomain' => 'Αυτός ο τύπος πληρωμής απαιτεί να :link.',
+ 'subdomain_is_set' => 'subdomain έχει οριστεί',
+ 'verification_file' => 'Αρχείο Επαλήθευσης',
+ 'verification_file_missing' => 'Το αρχείο επαλήθευσης είναι απαραίτητο για την αποδοχή πληρωμών.',
+ 'apple_pay_domain' => 'Χρησιμοποιήστε :domain
ως το domain στο :link.',
+ 'apple_pay_not_supported' => 'Συγνώμη αλλά τα Apple Pay / Google Pay δεν υποστηρίζονται από τον browser σας',
+ 'optional_payment_methods' => 'Προαιρετικές Μέθοδοι Πληρωμής',
+ 'add_subscription' => 'Προσθήκη Συνδρομής',
+ 'target_url' => 'Στόχος',
+ 'target_url_help' => 'Όταν το επιλεγμένο γεγονός εμφανιστεί η εφαρμογή θα στείλει την οντότητα στο στοχευμένο URL.',
+ 'event' => 'Γεγονός',
+ 'subscription_event_1' => 'Δημιουργήθηκε Πελάτης',
+ 'subscription_event_2' => 'Δημιουργήθηκε Τιμολόγιο',
+ 'subscription_event_3' => 'Δημιουργήθηκε Προσφορά',
+ 'subscription_event_4' => 'Δημιουργήθηκε Πληρωμή',
+ 'subscription_event_5' => 'Δημιουργήθηκε Προμηθευτής',
+ 'subscription_event_6' => 'Ενημερώθηκε Προσφορά',
+ 'subscription_event_7' => 'Διαγράφηκε Προσφορά',
+ 'subscription_event_8' => 'Ενημερώθηκε Τιμολόγιο',
+ 'subscription_event_9' => 'Διαγράφηκε Τιμολόγιο',
+ 'subscription_event_10' => 'Ενημερώθηκε ο Πελάτης',
+ 'subscription_event_11' => 'Διαγράφηκε ο Πελάτης',
+ 'subscription_event_12' => 'Διαγράφηκε η Πληρωμή',
+ 'subscription_event_13' => 'Ενημερώθηκε ο Προμηθευτής',
+ 'subscription_event_14' => 'Διαγράφηκε ο Προμηθευτής',
+ 'subscription_event_15' => 'Δημιουργήθηκε η Δαπάνη',
+ 'subscription_event_16' => 'Ενημερώθηκε η Δαπάνη',
+ 'subscription_event_17' => 'Διαγράφηκε η Δαπάνη',
+ 'subscription_event_18' => 'Δημιουργήθηκε η Εργασία',
+ 'subscription_event_19' => 'Ενημερώθηκε η Εργασία',
+ 'subscription_event_20' => 'Διαγράφηκε η Εργασία',
+ 'subscription_event_21' => 'Αποδεκτή Προσφορά',
+ 'subscriptions' => 'Εγγραφές',
+ 'updated_subscription' => 'Επιτυχής ενημέρωση συνδρομής',
+ 'created_subscription' => 'Επιτυχής δημιουργία συνδρομής',
+ 'edit_subscription' => 'Επεξεργασία Συνδρομής',
+ 'archive_subscription' => 'Αρχειοθέτηση Συνδρομής',
+ 'archived_subscription' => 'Επιτυχής αρχειοθέτηση συνδρομής',
+ 'project_error_multiple_clients' => 'Τα projects δεν μπορούν να ανήκουν σε διαφορετικούς πελάτες',
+ 'invoice_project' => 'Τιμολόγηση Project',
+ 'module_recurring_invoice' => 'Επαναλαμβανόμενα Τιμολόγια',
+ 'module_credit' => 'Πιστώσεις',
+ 'module_quote' => 'Προσφορές & Προτάσεις',
+ 'module_task' => 'Εργασίες & Projects',
+ 'module_expense' => 'Δαπάνες & Προμηθευτές',
+ 'reminders' => 'Υπενθύμίσεις',
+ 'send_client_reminders' => 'Αποστολή υπενθυμίσεων με email',
+ 'can_view_tasks' => 'Οι εργασίες εμφανίζονται στο portal',
+ 'is_not_sent_reminders' => 'Οι υπενθυμίσεις δεν έχουν αποσταλεί',
+ 'promotion_footer' => 'Η προωθητική ενέργειά σας θα λήξει σύντομα, :link για να αναβαθμίσετε τώρα.',
+ 'unable_to_delete_primary' => 'Σημείωση: για να διαγράψετε αυτή την επιχείρηση διαγράψτε πρώτα όλες τις συνδεδεμένες επιχειρήσεις.',
+ 'please_register' => 'Παρακαλούμε καταχωρίστε το λογαριασμό σας',
+ 'processing_request' => 'Επεξεργασία αιτήματος',
+ 'mcrypt_warning' => 'Προειδοποίηση: Το Mcrypt βρίσκεται στη διαδικασία απόσυρσης, εκτελέστε το :command για να ενημερώσετε την κρυπτογράφησή σας',
+ 'edit_times' => 'Επεξεργασία Επαναλήψεων',
+ 'inclusive_taxes_help' => 'Συμπεριλάβετε φόρους στο κόστος',
+ 'inclusive_taxes_notice' => 'Αυτή η ρύθμιση δεν μπορεί να αλλάξει όταν ένα τιμολόγιο έχει δημιουργηθεί.',
+ 'inclusive_taxes_warning' => 'Προειδοποίηση: τα υπάρχοντα τιμολόγια θα χρειαστούν επαναποθήκευση',
+ 'copy_shipping' => 'Αντιγραφή Αποστολής',
+ 'copy_billing' => 'Αντιγραφή Χρέωσης',
+ 'quote_has_expired' => 'Η προσφορά έχει λήξει, παρακαλούμε επικοινωνήστε με τον έμπορο.',
+ 'empty_table_footer' => 'Εμφάνιση 0 έως 0 από 0 εγγραφές',
+ 'do_not_trust' => 'Μην θυμηθείς αυτή τη συσκευή',
+ 'trust_for_30_days' => 'Εμπιστευτείτε για 30 μέρες',
+ 'trust_forever' => 'Εμπιστευτείτε για πάντα',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Αναμονή',
+ 'ready_to_do' => 'Έτοιμο',
+ 'in_progress' => 'Σε εξέλιξη',
+ 'add_status' => 'Προσθήκη κατάστασης',
+ 'archive_status' => 'Αρχειοθέτηση Κατάστασης',
+ 'new_status' => 'Νέα Κατάσταση',
+ 'convert_products' => 'Μετατροπή Τιμών Προϊόντων',
+ 'convert_products_help' => 'Αυτόματη μετατροπή τιμών προϊόντων στο νόμισμα συναλλαγών του πελάτη',
+ 'improve_client_portal_link' => 'Ορίστε ένα subdomain για να μειώσετε το μήκος του συνδέσμου του portal του πελάτη.',
+ 'budgeted_hours' => 'Χρεώσιμες Ώρες',
+ 'progress' => 'Πρόοδος',
+ 'view_project' => 'Εμφάνιση Project',
+ 'summary' => 'Περίληψη',
+ 'endless_reminder' => 'Συνεχής Υπενθύμιση',
+ 'signature_on_invoice_help' => 'Προσθέστε τον ακόλουθο κώδικα για να εμφανίζεται η υπογραφή του πελάτη σας στο PDF.',
+ 'signature_on_pdf' => 'Εμφάνισε στο PDF',
+ 'signature_on_pdf_help' => 'Εμφάνισε την υπογραφή του πελάτη στο PDF του τιμολογίου/προσφοράς.',
+ 'expired_white_label' => 'Η άδεια λευκής ετικέτας έληξε',
+ 'return_to_login' => 'Επιστροφή στην Είσοδο',
+ 'convert_products_tip' => 'Σημείωση: προσθέστε ένα :link με την ονομασία ":name" για να δείτε την ισοτιμία.',
+ 'amount_greater_than_balance' => 'Το ποσό είναι μεγαλύτερο από το υπόλοιπο του τιμολογίου, θα δημιουργηθεί μια πίστωση με το εναπομείναν ποσό.',
+ 'custom_fields_tip' => 'χρησιμοποιήστε το Label|Option1,Option2
για να εμφανίσετε ένα κουτί επιλογών.',
+ 'client_information' => 'Πληροφορίες Πελάτη',
+ 'updated_client_details' => 'Επιτυχής ενημέρωση των στοιχείων πελάτη',
+ 'auto' => 'Αυτόματο',
+ 'tax_amount' => 'Ποσό Φόρου',
+ 'tax_paid' => 'Πληρωμένος Φόρος',
+ 'none' => 'Κανένα',
+ 'proposal_message_button' => 'Για να δείτε την πρόταση ποσού :amount, πατήστε το παρακάτω κουμπί.',
+ 'proposal' => 'Πρόταση',
+ 'proposals' => 'Προτάσεις',
+ 'list_proposals' => 'Λίστα Προτάσεων',
+ 'new_proposal' => 'Νέα Πρόταση',
+ 'edit_proposal' => 'Επεξεργασία Πρότασης',
+ 'archive_proposal' => 'Αρχειοθέτηση Πρότασης',
+ 'delete_proposal' => 'Διαγραφή Πρότασης',
+ 'created_proposal' => 'Επιτυχής δημιουργία πρότασης',
+ 'updated_proposal' => 'Επιτυχής ενημέρωση πρότασης',
+ 'archived_proposal' => 'Επιτυχής αρχειοθέτηση πρότασης',
+ 'deleted_proposal' => 'Επιτυχής αρχειοθέτηση πρότασης',
+ 'archived_proposals' => 'Επιτυχής αρχειοθέτηση :count προτάσεων',
+ 'deleted_proposals' => 'Επιτυχής αρχειοθέτηση :count προτάσεων',
+ 'restored_proposal' => 'Επιτυχής ανάκτηση πρότασης',
+ 'restore_proposal' => 'Ανάκτηση Πρότασης',
+ 'snippet' => 'Απόσπασμα',
+ 'snippets' => 'Αποσπάσματα',
+ 'proposal_snippet' => 'Απόσπασμα',
+ 'proposal_snippets' => 'Αποσπάσματα',
+ 'new_proposal_snippet' => 'Νέο Απόσπασμα',
+ 'edit_proposal_snippet' => 'Επεξεργασία Αποσπάσματος',
+ 'archive_proposal_snippet' => 'Αρχειοθέτηση Αποσπάσματος',
+ 'delete_proposal_snippet' => 'Διαγραφή Αποσπάσματος',
+ 'created_proposal_snippet' => 'Επιτυχής δημιουργία αποσπάσματος',
+ 'updated_proposal_snippet' => 'Επιτυχής ενημέρωση αποσπάσματος',
+ 'archived_proposal_snippet' => 'Επιτυχής αρχειοθέτηση αποσπάσματος',
+ 'deleted_proposal_snippet' => 'Επιτυχής αρχειοθέτηση αποσπάσματος',
+ 'archived_proposal_snippets' => 'Επιτυχής αρχειοθέτηση :count αποσπασμάτων',
+ 'deleted_proposal_snippets' => 'Επιτυχής αρχειοθέτηση :count αποσπασμάτων',
+ 'restored_proposal_snippet' => 'Επιτυχής ανάκτηση αποσπάσματος',
+ 'restore_proposal_snippet' => 'Ανάκτηση Αποσπάσματος',
+ 'template' => 'Πρότυπο',
+ 'templates' => 'Πρότυπα',
+ 'proposal_template' => 'Πρότυπο',
+ 'proposal_templates' => 'Πρότυπα',
+ 'new_proposal_template' => 'Νέο Πρότυπο',
+ 'edit_proposal_template' => 'Επεξεργασία Προτύπου',
+ 'archive_proposal_template' => 'Αρχειοθέτηση Προτύπου',
+ 'delete_proposal_template' => 'Διαγραφή Προτύπου',
+ 'created_proposal_template' => 'Επιτυχής δημιουργία προτύπου',
+ 'updated_proposal_template' => 'Επιτυχής ενημέρωση προτύπου',
+ 'archived_proposal_template' => 'Επιτυχής αρχειοθέτηση προτύπου',
+ 'deleted_proposal_template' => 'Επιτυχής αρχειοθέτηση προτύπου',
+ 'archived_proposal_templates' => 'Επιτυχής αρχειοθέτηση :count προτύπων',
+ 'deleted_proposal_templates' => 'Επιτυχής αρχειοθέτηση :count προτύπων',
+ 'restored_proposal_template' => 'Επιτυχής ανάκτηση προτύπου',
+ 'restore_proposal_template' => 'Ανάκτηση Προτύπου',
+ 'proposal_category' => 'Κατηγορία',
+ 'proposal_categories' => 'Κατηγορίες',
+ 'new_proposal_category' => 'Νέα Κατηγορία',
+ 'edit_proposal_category' => 'Επεξεργασία Κατηγορίας',
+ 'archive_proposal_category' => 'Αρχειοθέτηση Κατηγορίας',
+ 'delete_proposal_category' => 'Διαγραφή Κατηγορίας',
+ 'created_proposal_category' => 'Επιτυχής δημιουργία κατηγορίας',
+ 'updated_proposal_category' => 'Επιτυχής ενημέρωση κατηγορίας',
+ 'archived_proposal_category' => 'Επιτυχής αρχειοθέτηση κατηγορίας',
+ 'deleted_proposal_category' => 'Επιτυχής αρχειοθέτηση κατηγορίας',
+ 'archived_proposal_categories' => 'Επιτυχής αρχειοθέτηση :count κατηγοριών',
+ 'deleted_proposal_categories' => 'Επιτυχής αρχειοθέτηση :count κατηγοριών',
+ 'restored_proposal_category' => 'Επιτυχής ανάκτηση κατηγορίας',
+ 'restore_proposal_category' => 'Ανάκτηση Κατηγορίας',
+ 'delete_status' => 'Διαγραφή Κατάστασης',
+ 'standard' => 'Στάνταρ',
+ 'icon' => 'Εικονίδιο',
+ 'proposal_not_found' => 'Η ζητούμενη πρόταση τιμολόγιο δεν είναι διαθέσιμη',
+ 'create_proposal_category' => 'Δημιουργία κατηγορίας',
+ 'clone_proposal_template' => 'Κλωνοποίηση Προτύπου',
+ 'proposal_email' => 'Email πρότασης',
+ 'proposal_subject' => 'Νέα πρόταση :number από :account',
+ 'proposal_message' => 'Για να δείτε την πρόταση ποσού :amount, πατήστε τον παρακάτω σύνδεσμο.',
+ 'emailed_proposal' => 'Επιτυχής αποστολή πρότασης',
+ 'load_template' => 'Φόρτωση Προτύπου',
+ 'no_assets' => 'Δεν υπάρχουν εικόνες, σύρατε για μεταφόρτωση',
+ 'add_image' => 'Προσθήκη εικόνας',
+ 'select_image' => 'Επιλογή εικόνας',
+ 'upgrade_to_upload_images' => 'Αναβαθμίστε στο Εταιρικό πλάνο για να μεταφορτώσετε εικόνες',
+ 'delete_image' => 'Διαγραφή εικόνας',
+ 'delete_image_help' => 'Ειδοποίηση: διαγράφοντας την εικόνα θα την αφαιρέσει από όλες τις προτάσεις.',
+ 'amount_variable_help' => 'Σημείωση: το πεδίο $amount του τιμολογίου θα χρησιμοποιήσει το πεδίο μερική προκαταβολή εάν οριστεί διαφορετικά θα χρησιμοποιήσει το υπόλοιπο του τιμολογίου.',
+ 'taxes_are_included_help' => 'Σημείωση: Οι περιλαμβανόμενοι φόροι έχουν ενεργοποιηθεί.',
+ 'taxes_are_not_included_help' => 'Σημείωση: Οι περιλαμβανόμενοι φόροι δεν έχουν ενεργοποιηθεί.',
+ 'change_requires_purge' => 'Η αλλαγή αυτών των ρυθμίσεων απαιτεί :link τα δεδομένα του λογαριασμού.',
+ 'purging' => 'καθαρισμός',
+ 'warning_local_refund' => 'Η επιστροφή χρημάτων θα καταγραφεί στην εφαρμογή αλλά ΔΕΝ θα εκτελεστεί από την πύλη πληρωμών (gateway).',
+ 'email_address_changed' => 'Η διεύθυνση email έχει αλλάξει.',
+ 'email_address_changed_message' => 'Η διεύθυνση email του λογαριασμού σας άλλαξε από :old_email σε :new_email.',
+ 'test' => 'Τεστ',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Η εξαγωγή σε ZIP απαιτεί την επέκταση GMP',
+ 'email_history' => 'Ιστορικό Email',
+ 'loading' => 'Φόρτωση',
+ 'no_messages_found' => 'Δεν βρέθηκαν μηνύματα',
+ 'processing' => 'Επεξεργασία',
+ 'reactivate' => 'Επανενεργοποίηση',
+ 'reactivated_email' => 'Η διεύθυνση email έχει επανενεργοποιηθεί.',
+ 'emails' => 'Emails',
+ 'opened' => 'Ανοίχθηκε',
+ 'bounced' => 'Επεστράφη',
+ 'total_sent' => 'Στάλθηκαν Συνολικά',
+ 'total_opened' => 'Ανοίχθηκαν Συνολικά',
+ 'total_bounced' => 'Επεστράφησαν Συνολικά',
+ 'total_spam' => 'Χαρακτηρίστηκαν Spam Συνολικά',
+ 'platforms' => 'Πλατφόρμες',
+ 'email_clients' => 'Πρόγραμμα Email',
+ 'mobile' => 'Κινητό',
+ 'desktop' => 'Σταθερός υπολογιστής',
+ 'webmail' => 'Webmail',
+ 'group' => 'Ομάδα',
+ 'subgroup' => 'Υποομάδα',
+ 'unset' => 'Αναίρεση ορισμού',
+ 'received_new_payment' => 'Δεχθήκατε μία καινούργια πληρωμή.',
+ 'slack_webhook_help' => 'Δεχθείτε ενημερώσεις πληρωμών χρησιμοποιώντας το :link.',
+ 'slack_incoming_webhooks' => 'Εισερχόμενα webhooks από το Slack',
+ 'accept' => 'Αποδοχή',
+ 'accepted_terms' => 'Επιτυχής αποδοχή των τελευταίων όρων χρήσης',
+ 'invalid_url' => 'Εσφαλμένο URL',
+ 'workflow_settings' => 'Ρυθμίσεις Ροής Εργασιών',
+ 'auto_email_invoice' => 'Αυτόματο Email',
+ 'auto_email_invoice_help' => 'Αυτόματη αποστολή επαναλαμβανόμενων τιμολογίων με email όταν δημιουργηθούν.',
+ 'auto_archive_invoice' => 'Αυτόματη Αρχειοθέτηση',
+ 'auto_archive_invoice_help' => 'Αυτόματη αρχειοθέτηση τιμολογίων όταν εξοφληθούν.',
+ 'auto_archive_quote' => 'Αυτόματη Αρχειοθέτηση',
+ 'auto_archive_quote_help' => 'Αυτόματη αρχειοθέτηση προσφορών όταν μετατραπούν.',
+ 'allow_approve_expired_quote' => 'Επιτρέψτε την αποδοχή προσφοράς που έχει λήξει.',
+ 'allow_approve_expired_quote_help' => 'Επιτρέψτε στους πελάτες την αποδοχή προσφορών που έχουν λήξει.',
+ 'invoice_workflow' => 'Τιμολόγηση Ροής Εργασιών',
+ 'quote_workflow' => 'Προσφορά Ροής Εργασιών',
+ 'client_must_be_active' => 'Σφάλμα: ο πελάτης πρέπει να είναι ενεργός',
+ 'purge_client' => 'Εκκαθάριση Πελάτη',
+ 'purged_client' => 'Επιτυχής εκκαθάριση πελάτη',
+ 'purge_client_warning' => 'Όλες οι σχετικές εγγραφές (τιμολόγια, εργασίες, δαπάνες, αρχεία, κλπ) θα διαγραφούν επίσης.',
+ 'clone_product' => 'Κλωνοποίηση Προϊόντος',
+ 'item_details' => 'Στοιχεία Προϊόντος',
+ 'send_item_details_help' => 'Αποστείλετε τα στοιχεία ανά γραμμή στην πύλη πληρωμών.',
+ 'view_proposal' => 'Προβολή Πρότασης',
+ 'view_in_portal' => 'Προβολή στο Portal',
+ 'cookie_message' => 'Αυτός ο ιστότοπος χρησιμοποιεί cookies για να βεβαιωθεί ότι απολαμβάνετε τη βέλτιστη δυνατή εμπειρία πλοήγησης.',
+ 'got_it' => 'Το κατάλαβα!',
+ 'vendor_will_create' => 'προμηθευτής θα δημιουργηθεί',
+ 'vendors_will_create' => 'προμηθευτές θα δημιουργηθούν',
+ 'created_vendors' => 'Επιτυχής δημιουργία :count προμηθευτών',
+ 'import_vendors' => 'Εισαγωγή Προμηθευτών',
+ 'company' => 'Εταιρεία',
+ 'client_field' => 'Πεδίο Πελάτη',
+ 'contact_field' => 'Πεδίο Επαφής',
+ 'product_field' => 'Πεδίο Προϊόντος',
+ 'task_field' => 'Πεδίο Εργασίας',
+ 'project_field' => 'Πεδίο Project',
+ 'expense_field' => 'Πεδίο Δαπάνης',
+ 'vendor_field' => 'Πεδίο Προμηθευτή',
+ 'company_field' => 'Πεδίο Εταιρείας',
+ 'invoice_field' => 'Πεδίο Τιμολογίου',
+ 'invoice_surcharge' => 'Επιβάρυνση Τιμολογίου',
+ 'custom_task_fields_help' => 'Προσθήκη πεδίου όταν δημιουργείται μία εργασία.',
+ 'custom_project_fields_help' => 'Προσθήκη πεδίου όταν δημιουργείται ένα project.',
+ 'custom_expense_fields_help' => 'Προσθήκη πεδίου όταν δημιουργείται μία δαπάνη.',
+ 'custom_vendor_fields_help' => 'Προσθήκη πεδίου όταν δημιουργείται ένας προμηθευτής.',
+ 'messages' => 'Μηνύματα',
+ 'unpaid_invoice' => 'Μη Εξοφλημένο Τιμολόγιο',
+ 'paid_invoice' => 'Εξοφλημένο Τιμολόγιο',
+ 'unapproved_quote' => 'Μη Εγκεκριμένη Προσφορά',
+ 'unapproved_proposal' => 'Μη Εγκεκριμένη Πρόταση',
+ 'autofills_city_state' => 'Αυτόματη συμπλήρωση πόλης/περιφέρειας',
+ 'no_match_found' => 'Δεν βρέθηκε αντιστοιχία',
+ 'password_strength' => 'Πολυπλοκότητα Κωδικού Πρόσβασης',
+ 'strength_weak' => 'Χαμηλή',
+ 'strength_good' => 'Καλή',
+ 'strength_strong' => 'Υψηλή',
+ 'mark' => 'Σήμανση',
+ 'updated_task_status' => 'Επιτυχής ενημέρωση κατάστασης εργασίας',
+ 'background_image' => 'Εικόνα φόντου',
+ 'background_image_help' => 'Χρησιμοποιήστε το :link για να διαχειριστείτε τις εικόνες σας, προτείνουμε να χρησιμοποιήσετε ένα μικρότερο αρχείο.',
+ 'proposal_editor' => 'επεξεργαστής πρότασης',
+ 'background' => 'Φόντο',
+ 'guide' => 'Οδηγός',
+ 'gateway_fee_item' => 'Προμήθεια Πύλης Πληρωμής για το προϊόν',
+ 'gateway_fee_description' => 'Επιβάρυνση Προμήθειας Πύλης Πληρωμής',
+ 'show_payments' => 'Εμφάνιση Πληρωμών',
+ 'show_aging' => 'Εμφάνιση Γήρανσης',
+ 'reference' => 'Αναφορά',
+ 'amount_paid' => 'Εξοφλημένο Ποσό',
+ 'send_notifications_for' => 'Αποστολή Ειδοποιήσεων Για',
+ 'all_invoices' => 'Όλα τα Τιμολόγια',
+ 'my_invoices' => 'Τα δικά μου Τιμολόγια',
+ 'mobile_refresh_warning' => 'Εάν χρησιμοποιείτε την εφαρμογή κινητού ίσως χρειαστεί να κάνετε μία πλήρη ανανέωση.',
+ 'enable_proposals_for_background' => 'Για να ανεβάσετε μια εικόνα φόντου :link για να ενεργοποιήσετε τη λειτουργική μονάδα προτάσεων.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/el/validation.php b/resources/lang/el/validation.php
new file mode 100644
index 000000000000..4c0aa36f33b5
--- /dev/null
+++ b/resources/lang/el/validation.php
@@ -0,0 +1,121 @@
+ 'Το πεδίο :attribute πρέπει να γίνει αποδεκτό.',
+ 'active_url' => 'Το πεδίο :attribute δεν είναι αποδεκτή διεύθυνση URL.',
+ 'after' => 'Το πεδίο :attribute πρέπει να είναι μία ημερομηνία μετά από :date.',
+ 'after_or_equal' => 'The :attribute must be a date after or equal to :date.',
+ 'alpha' => 'Το πεδίο :attribute μπορεί να περιέχει μόνο γράμματα.',
+ 'alpha_dash' => 'Το πεδίο :attribute μπορεί να περιέχει μόνο γράμματα, αριθμούς, και παύλες.',
+ 'alpha_num' => 'Το πεδίο :attribute μπορεί να περιέχει μόνο γράμματα και αριθμούς.',
+ 'array' => 'Το πεδίο :attribute πρέπει να είναι ένας πίνακας.',
+ 'before' => 'Το πεδίο :attribute πρέπει να είναι μία ημερομηνία πριν από :date.',
+ 'before_or_equal' => 'The :attribute must be a date before or equal to :date.',
+ 'between' => [
+ 'numeric' => 'Το πεδίο :attribute πρέπει να είναι μεταξύ :min - :max.',
+ 'file' => 'Το πεδίο :attribute πρέπει να είναι μεταξύ :min - :max kilobytes.',
+ 'string' => 'Το πεδίο :attribute πρέπει να είναι μεταξύ :min - :max χαρακτήρες.',
+ 'array' => 'Το πεδίο :attribute πρέπει να έχει μεταξύ :min - :max αντικείμενα.',
+ ],
+ 'boolean' => 'Το πεδίο :attribute πρέπει να είναι true ή false.',
+ 'confirmed' => 'Η επιβεβαίωση του :attribute δεν ταιριάζει.',
+ 'date' => 'Το πεδίο :attribute δεν είναι έγκυρη ημερομηνία.',
+ 'date_format' => 'Το πεδίο :attribute δεν είναι της μορφής :format.',
+ 'different' => 'Το πεδίο :attribute και :other πρέπει να είναι διαφορετικά.',
+ 'digits' => 'Το πεδίο :attribute πρέπει να είναι :digits ψηφία.',
+ 'digits_between' => 'Το πεδίο :attribute πρέπει να είναι μεταξύ :min και :max ψηφία.',
+ 'dimensions' => 'The :attribute has invalid image dimensions.',
+ 'distinct' => 'The :attribute field has a duplicate value.',
+ 'email' => 'Το πεδίο :attribute πρέπει να είναι μία έγκυρη διεύθυνση email.',
+ 'file' => 'The :attribute must be a file.',
+ 'filled' => 'To πεδίο :attribute είναι απαραίτητο.',
+ 'exists' => 'Το επιλεγμένο :attribute δεν είναι έγκυρο.',
+ 'image' => 'Το πεδίο :attribute πρέπει να είναι εικόνα.',
+ 'in' => 'Το επιλεγμένο :attribute δεν είναι έγκυρο.',
+ 'in_array' => 'The :attribute field does not exist in :other.',
+ 'integer' => 'Το πεδίο :attribute πρέπει να είναι ακέραιος.',
+ 'ip' => 'Το πεδίο :attribute πρέπει να είναι μία έγκυρη διεύθυνση IP.',
+ 'json' => 'Το πεδίο :attribute πρέπει να είναι μία έγκυρη συμβολοσειρά JSON.',
+ 'max' => [
+ 'numeric' => 'Το πεδίο :attribute δεν μπορεί να είναι μεγαλύτερο από :max.',
+ 'file' => 'Το πεδίο :attribute δεν μπορεί να είναι μεγαλύτερό :max kilobytes.',
+ 'string' => 'Το πεδίο :attribute δεν μπορεί να έχει περισσότερους από :max χαρακτήρες.',
+ 'array' => 'Το πεδίο :attribute δεν μπορεί να έχει περισσότερα από :max αντικείμενα.',
+ ],
+ 'mimes' => 'Το πεδίο :attribute πρέπει να είναι αρχείο τύπου: :values.',
+ 'mimetypes' => 'Το πεδίο :attribute πρέπει να είναι αρχείο τύπου: :values.',
+ 'min' => [
+ 'numeric' => 'Το πεδίο :attribute πρέπει να είναι τουλάχιστον :min.',
+ 'file' => 'Το πεδίο :attribute πρέπει να είναι τουλάχιστον :min kilobytes.',
+ 'string' => 'Το πεδίο :attribute πρέπει να έχει τουλάχιστον :min χαρακτήρες.',
+ 'array' => 'Το πεδίο :attribute πρέπει να έχει τουλάχιστον :min αντικείμενα.',
+ ],
+ 'not_in' => 'Το επιλεγμένο :attribute δεν είναι αποδεκτό.',
+ 'numeric' => 'Το πεδίο :attribute πρέπει να είναι αριθμός.',
+ 'present' => 'The :attribute field must be present.',
+ 'regex' => 'Η μορφή του :attribute δεν είναι αποδεκτή.',
+ 'required' => 'Το πεδίο :attribute είναι απαραίτητο.',
+ 'required_if' => 'Το πεδίο :attribute είναι απαραίτητο όταν το πεδίο :other είναι :value.',
+ 'required_unless' => 'Το πεδίο :attribute είναι απαραίτητο εκτός αν το πεδίο :other εμπεριέχει :values.',
+ 'required_with' => 'Το πεδίο :attribute είναι απαραίτητο όταν υπάρχει :values.',
+ 'required_with_all' => 'Το πεδίο :attribute είναι απαραίτητο όταν υπάρχουν :values.',
+ 'required_without' => 'Το πεδίο :attribute είναι απαραίτητο όταν δεν υπάρχει :values.',
+ 'required_without_all' => 'Το πεδίο :attribute είναι απαραίτητο όταν δεν υπάρχει κανένα από :values.',
+ 'same' => 'Τα πεδία :attribute και :other πρέπει να είναι ίδια.',
+ 'size' => [
+ 'numeric' => 'Το πεδίο :attribute πρέπει να είναι :size.',
+ 'file' => 'Το πεδίο :attribute πρέπει να είναι :size kilobytes.',
+ 'string' => 'Το πεδίο :attribute πρέπει να είναι :size χαρακτήρες.',
+ 'array' => 'Το πεδίο :attribute πρέπει να περιέχει :size αντικείμενα.',
+ ],
+ 'string' => 'Το πεδίο :attribute πρέπει να είναι αλφαριθμητικό.',
+ 'timezone' => 'Το πεδίο :attribute πρέπει να είναι μία έγκυρη ζώνη ώρας.',
+ 'unique' => 'Το πεδίο :attribute έχει ήδη εκχωρηθεί.',
+ 'uploaded' => 'The :attribute failed to upload.',
+ 'url' => 'Το πεδίο :attribute δεν είναι έγκυρη διεύθυνση URL.',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ //
+ ],
+
+];
diff --git a/resources/lang/en/texts.php b/resources/lang/en/texts.php
new file mode 100644
index 000000000000..e57e726ce050
--- /dev/null
+++ b/resources/lang/en/texts.php
@@ -0,0 +1,3110 @@
+ 'Organization',
+ 'name' => 'Name',
+ 'website' => 'Website',
+ 'work_phone' => 'Phone',
+ 'address' => 'Address',
+ 'address1' => 'Street',
+ 'address2' => 'Apt/Suite',
+ 'city' => 'City',
+ 'state' => 'State/Province',
+ 'postal_code' => 'Postal Code',
+ 'country_id' => 'Country',
+ 'contacts' => 'Contacts',
+ 'first_name' => 'First Name',
+ 'last_name' => 'Last Name',
+ 'phone' => 'Phone',
+ 'email' => 'Email',
+ 'additional_info' => 'Additional Info',
+ 'payment_terms' => 'Payment Terms',
+ 'currency_id' => 'Currency',
+ 'size_id' => 'Company Size',
+ 'industry_id' => 'Industry',
+ 'private_notes' => 'Private Notes',
+ 'invoice' => 'Invoice',
+ 'client' => 'Client',
+ 'invoice_date' => 'Invoice Date',
+ 'due_date' => 'Due Date',
+ 'invoice_number' => 'Invoice Number',
+ 'invoice_number_short' => 'Invoice #',
+ 'po_number' => 'PO Number',
+ 'po_number_short' => 'PO #',
+ 'frequency_id' => 'How Often',
+ 'discount' => 'Discount',
+ 'taxes' => 'Taxes',
+ 'tax' => 'Tax',
+ 'item' => 'Item',
+ 'description' => 'Description',
+ 'unit_cost' => 'Unit Cost',
+ 'quantity' => 'Quantity',
+ 'line_total' => 'Line Total',
+ 'subtotal' => 'Subtotal',
+ 'paid_to_date' => 'Paid to Date',
+ 'balance_due' => 'Balance Due',
+ 'invoice_design_id' => 'Design',
+ 'terms' => 'Terms',
+ 'your_invoice' => 'Your Invoice',
+ 'remove_contact' => 'Remove contact',
+ 'add_contact' => 'Add contact',
+ 'create_new_client' => 'Create new client',
+ 'edit_client_details' => 'Edit client details',
+ 'enable' => 'Enable',
+ 'learn_more' => 'Learn more',
+ 'manage_rates' => 'Manage rates',
+ 'note_to_client' => 'Note to Client',
+ 'invoice_terms' => 'Invoice Terms',
+ 'save_as_default_terms' => 'Save as default terms',
+ 'download_pdf' => 'Download PDF',
+ 'pay_now' => 'Pay Now',
+ 'save_invoice' => 'Save Invoice',
+ 'clone_invoice' => 'Clone To Invoice',
+ 'archive_invoice' => 'Archive Invoice',
+ 'delete_invoice' => 'Delete Invoice',
+ 'email_invoice' => 'Email Invoice',
+ 'enter_payment' => 'Enter Payment',
+ 'tax_rates' => 'Tax Rates',
+ 'rate' => 'Rate',
+ 'settings' => 'Settings',
+ 'enable_invoice_tax' => 'Enable specifying an invoice tax',
+ 'enable_line_item_tax' => 'Enable specifying line item taxes',
+ 'dashboard' => 'Dashboard',
+ 'dashboard_totals_in_all_currencies_help' => 'Note: add a :link named ":name" to show the totals using a single base currency.',
+ 'clients' => 'Clients',
+ 'invoices' => 'Invoices',
+ 'payments' => 'Payments',
+ 'credits' => 'Credits',
+ 'history' => 'History',
+ 'search' => 'Search',
+ 'sign_up' => 'Sign Up',
+ 'guest' => 'Guest',
+ 'company_details' => 'Company Details',
+ 'online_payments' => 'Online Payments',
+ 'notifications' => 'Notifications',
+ 'import_export' => 'Import | Export',
+ 'done' => 'Done',
+ 'save' => 'Save',
+ 'create' => 'Create',
+ 'upload' => 'Upload',
+ 'import' => 'Import',
+ 'download' => 'Download',
+ 'cancel' => 'Cancel',
+ 'close' => 'Close',
+ 'provide_email' => 'Please provide a valid email address',
+ 'powered_by' => 'Powered by',
+ 'no_items' => 'No items',
+ 'recurring_invoices' => 'Recurring Invoices',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'in total revenue',
+ 'billed_client' => 'billed client',
+ 'billed_clients' => 'billed clients',
+ 'active_client' => 'active client',
+ 'active_clients' => 'active clients',
+ 'invoices_past_due' => 'Invoices Past Due',
+ 'upcoming_invoices' => 'Upcoming Invoices',
+ 'average_invoice' => 'Average Invoice',
+ 'archive' => 'Archive',
+ 'delete' => 'Delete',
+ 'archive_client' => 'Archive Client',
+ 'delete_client' => 'Delete Client',
+ 'archive_payment' => 'Archive Payment',
+ 'delete_payment' => 'Delete Payment',
+ 'archive_credit' => 'Archive Credit',
+ 'delete_credit' => 'Delete Credit',
+ 'show_archived_deleted' => 'Show archived/deleted',
+ 'filter' => 'Filter',
+ 'new_client' => 'New Client',
+ 'new_invoice' => 'New Invoice',
+ 'new_payment' => 'Enter Payment',
+ 'new_credit' => 'Enter Credit',
+ 'contact' => 'Contact',
+ 'date_created' => 'Date Created',
+ 'last_login' => 'Last Login',
+ 'balance' => 'Balance',
+ 'action' => 'Action',
+ 'status' => 'Status',
+ 'invoice_total' => 'Invoice Total',
+ 'frequency' => 'Frequency',
+ 'start_date' => 'Start Date',
+ 'end_date' => 'End Date',
+ 'transaction_reference' => 'Transaction Reference',
+ 'method' => 'Method',
+ 'payment_amount' => 'Payment Amount',
+ 'payment_date' => 'Payment Date',
+ 'credit_amount' => 'Credit Amount',
+ 'credit_balance' => 'Credit Balance',
+ 'credit_date' => 'Credit Date',
+ 'empty_table' => 'No data available in table',
+ 'select' => 'Select',
+ 'edit_client' => 'Edit Client',
+ 'edit_invoice' => 'Edit Invoice',
+ 'create_invoice' => 'Create Invoice',
+ 'enter_credit' => 'Enter Credit',
+ 'last_logged_in' => 'Last logged in',
+ 'details' => 'Details',
+ 'standing' => 'Standing',
+ 'credit' => 'Credit',
+ 'activity' => 'Activity',
+ 'date' => 'Date',
+ 'message' => 'Message',
+ 'adjustment' => 'Adjustment',
+ 'are_you_sure' => 'Are you sure?',
+ 'payment_type_id' => 'Payment Type',
+ 'amount' => 'Amount',
+ 'work_email' => 'Email',
+ 'language_id' => 'Language',
+ 'timezone_id' => 'Timezone',
+ 'date_format_id' => 'Date Format',
+ 'datetime_format_id' => 'Date/Time Format',
+ 'users' => 'Users',
+ 'localization' => 'Localization',
+ 'remove_logo' => 'Remove logo',
+ 'logo_help' => 'Supported: JPEG, GIF and PNG',
+ 'payment_gateway' => 'Payment Gateway',
+ 'gateway_id' => 'Gateway',
+ 'email_notifications' => 'Email Notifications',
+ 'email_sent' => 'Email me when an invoice is sent',
+ 'email_viewed' => 'Email me when an invoice is viewed',
+ 'email_paid' => 'Email me when an invoice is paid',
+ 'site_updates' => 'Site Updates',
+ 'custom_messages' => 'Custom Messages',
+ 'default_email_footer' => 'Set default email signature',
+ 'select_file' => 'Please select a file',
+ 'first_row_headers' => 'Use first row as headers',
+ 'column' => 'Column',
+ 'sample' => 'Sample',
+ 'import_to' => 'Import to',
+ 'client_will_create' => 'client will be created',
+ 'clients_will_create' => 'clients will be created',
+ 'email_settings' => 'Email Settings',
+ 'client_view_styling' => 'Client View Styling',
+ 'pdf_email_attachment' => 'Attach PDF',
+ 'custom_css' => 'Custom CSS',
+ 'import_clients' => 'Import Client Data',
+ 'csv_file' => 'CSV file',
+ 'export_clients' => 'Export Client Data',
+ 'created_client' => 'Successfully created client',
+ 'created_clients' => 'Successfully created :count client(s)',
+ 'updated_settings' => 'Successfully updated settings',
+ 'removed_logo' => 'Successfully removed logo',
+ 'sent_message' => 'Successfully sent message',
+ 'invoice_error' => 'Please make sure to select a client and correct any errors',
+ 'limit_clients' => 'Sorry, this will exceed the limit of :count clients',
+ 'payment_error' => 'There was an error processing your payment. Please try again later.',
+ 'registration_required' => 'Please sign up to email an invoice',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Successfully updated client',
+ 'created_client' => 'Successfully created client',
+ 'archived_client' => 'Successfully archived client',
+ 'archived_clients' => 'Successfully archived :count clients',
+ 'deleted_client' => 'Successfully deleted client',
+ 'deleted_clients' => 'Successfully deleted :count clients',
+ 'updated_invoice' => 'Successfully updated invoice',
+ 'created_invoice' => 'Successfully created invoice',
+ 'cloned_invoice' => 'Successfully cloned invoice',
+ 'emailed_invoice' => 'Successfully emailed invoice',
+ 'and_created_client' => 'and created client',
+ 'archived_invoice' => 'Successfully archived invoice',
+ 'archived_invoices' => 'Successfully archived :count invoices',
+ 'deleted_invoice' => 'Successfully deleted invoice',
+ 'deleted_invoices' => 'Successfully deleted :count invoices',
+ 'created_payment' => 'Successfully created payment',
+ 'created_payments' => 'Successfully created :count payment(s)',
+ 'archived_payment' => 'Successfully archived payment',
+ 'archived_payments' => 'Successfully archived :count payments',
+ 'deleted_payment' => 'Successfully deleted payment',
+ 'deleted_payments' => 'Successfully deleted :count payments',
+ 'applied_payment' => 'Successfully applied payment',
+ 'created_credit' => 'Successfully created credit',
+ 'archived_credit' => 'Successfully archived credit',
+ 'archived_credits' => 'Successfully archived :count credits',
+ 'deleted_credit' => 'Successfully deleted credit',
+ 'deleted_credits' => 'Successfully deleted :count credits',
+ 'imported_file' => 'Successfully imported file',
+ 'updated_vendor' => 'Successfully updated vendor',
+ 'created_vendor' => 'Successfully created vendor',
+ 'archived_vendor' => 'Successfully archived vendor',
+ 'archived_vendors' => 'Successfully archived :count vendors',
+ 'deleted_vendor' => 'Successfully deleted vendor',
+ 'deleted_vendors' => 'Successfully deleted :count vendors',
+ 'confirmation_subject' => 'Invoice Ninja Account Confirmation',
+ 'confirmation_header' => 'Account Confirmation',
+ 'confirmation_message' => 'Please access the link below to confirm your account.',
+ 'invoice_subject' => 'New invoice :number from :account',
+ 'invoice_message' => 'To view your invoice for :amount, click the link below.',
+ 'payment_subject' => 'Payment Received',
+ 'payment_message' => 'Thank you for your payment of :amount.',
+ 'email_salutation' => 'Dear :name,',
+ 'email_signature' => 'Regards,',
+ 'email_from' => 'The Invoice Ninja Team',
+ 'invoice_link_message' => 'To view the invoice click the link below:',
+ 'notification_invoice_paid_subject' => 'Invoice :invoice was paid by :client',
+ 'notification_invoice_sent_subject' => 'Invoice :invoice was sent to :client',
+ 'notification_invoice_viewed_subject' => 'Invoice :invoice was viewed by :client',
+ 'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
+ 'notification_invoice_sent' => 'The following client :client was emailed Invoice :invoice for :amount.',
+ 'notification_invoice_viewed' => 'The following client :client viewed Invoice :invoice for :amount.',
+ 'reset_password' => 'You can reset your account password by clicking the following button:',
+ 'secure_payment' => 'Secure Payment',
+ 'card_number' => 'Card Number',
+ 'expiration_month' => 'Expiration Month',
+ 'expiration_year' => 'Expiration Year',
+ 'cvv' => 'CVV',
+ 'logout' => 'Log Out',
+ 'sign_up_to_save' => 'Sign up to save your work',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Terms of Service',
+ 'email_taken' => 'The email address is already registered',
+ 'working' => 'Working',
+ 'success' => 'Success',
+ 'success_message' => 'You have successfully registered! Please visit the link in the account confirmation email to verify your email address.',
+ 'erase_data' => 'Your account is not registered, this will permanently erase your data.',
+ 'password' => 'Password',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'Thanks for choosing Invoice Ninja\'s Pro plan!
+ Next StepsA 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',
+ 'unsaved_changes' => 'You have unsaved changes',
+ 'custom_fields' => 'Custom Fields',
+ 'company_fields' => 'Company Fields',
+ 'client_fields' => 'Client Fields',
+ 'field_label' => 'Field Label',
+ 'field_value' => 'Field Value',
+ 'edit' => 'Edit',
+ 'set_name' => 'Set your company name',
+ 'view_as_recipient' => 'View as recipient',
+ 'product_library' => 'Product Library',
+ 'product' => 'Product',
+ 'products' => 'Products',
+ 'fill_products' => 'Auto-fill products',
+ 'fill_products_help' => 'Selecting a product will automatically fill in the description and cost',
+ 'update_products' => 'Auto-update products',
+ 'update_products_help' => 'Updating an invoice will automatically update the product library',
+ 'create_product' => 'Add Product',
+ 'edit_product' => 'Edit Product',
+ 'archive_product' => 'Archive Product',
+ 'updated_product' => 'Successfully updated product',
+ 'created_product' => 'Successfully created product',
+ 'archived_product' => 'Successfully archived product',
+ 'pro_plan_custom_fields' => ':link to enable custom fields by joining the Pro Plan',
+ 'advanced_settings' => 'Advanced Settings',
+ 'pro_plan_advanced_settings' => ':link to enable the advanced settings by joining the Pro Plan',
+ 'invoice_design' => 'Invoice Design',
+ 'specify_colors' => 'Specify colors',
+ 'specify_colors_label' => 'Select the colors used in the invoice',
+ 'chart_builder' => 'Chart Builder',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Go Pro',
+ 'quote' => 'Quote',
+ 'quotes' => 'Quotes',
+ 'quote_number' => 'Quote Number',
+ 'quote_number_short' => 'Quote #',
+ 'quote_date' => 'Quote Date',
+ 'quote_total' => 'Quote Total',
+ 'your_quote' => 'Your Quote',
+ 'total' => 'Total',
+ 'clone' => 'Clone',
+ 'new_quote' => 'New Quote',
+ 'create_quote' => 'Create Quote',
+ 'edit_quote' => 'Edit Quote',
+ 'archive_quote' => 'Archive Quote',
+ 'delete_quote' => 'Delete Quote',
+ 'save_quote' => 'Save Quote',
+ 'email_quote' => 'Email Quote',
+ 'clone_quote' => 'Clone To Quote',
+ 'convert_to_invoice' => 'Convert to Invoice',
+ 'view_invoice' => 'View Invoice',
+ 'view_client' => 'View Client',
+ 'view_quote' => 'View Quote',
+ 'updated_quote' => 'Successfully updated quote',
+ 'created_quote' => 'Successfully created quote',
+ 'cloned_quote' => 'Successfully cloned quote',
+ 'emailed_quote' => 'Successfully emailed quote',
+ 'archived_quote' => 'Successfully archived quote',
+ 'archived_quotes' => 'Successfully archived :count quotes',
+ 'deleted_quote' => 'Successfully deleted quote',
+ 'deleted_quotes' => 'Successfully deleted :count quotes',
+ 'converted_to_invoice' => 'Successfully converted quote to invoice',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'To view your quote for :amount, click the link below.',
+ 'quote_link_message' => 'To view your client quote click the link below:',
+ 'notification_quote_sent_subject' => 'Quote :invoice was sent to :client',
+ 'notification_quote_viewed_subject' => 'Quote :invoice was viewed by :client',
+ 'notification_quote_sent' => 'The following client :client was emailed Quote :invoice for :amount.',
+ 'notification_quote_viewed' => 'The following client :client viewed Quote :invoice for :amount.',
+ 'session_expired' => 'Your session has expired.',
+ 'invoice_fields' => 'Invoice Fields',
+ 'invoice_options' => 'Invoice Options',
+ 'hide_paid_to_date' => 'Hide Paid to Date',
+ 'hide_paid_to_date_help' => 'Only display the "Paid to Date" area on your invoices once a payment has been received.',
+ 'charge_taxes' => 'Charge taxes',
+ 'user_management' => 'User Management',
+ 'add_user' => 'Add User',
+ 'send_invite' => 'Send Invitation',
+ 'sent_invite' => 'Successfully sent invitation',
+ 'updated_user' => 'Successfully updated user',
+ 'invitation_message' => 'You\'ve been invited by :invitor. ',
+ 'register_to_add_user' => 'Please sign up to add a user',
+ 'user_state' => 'State',
+ 'edit_user' => 'Edit User',
+ 'delete_user' => 'Delete User',
+ 'active' => 'Active',
+ 'pending' => 'Pending',
+ 'deleted_user' => 'Successfully deleted user',
+ 'confirm_email_invoice' => 'Are you sure you want to email this invoice?',
+ 'confirm_email_quote' => 'Are you sure you want to email this quote?',
+ 'confirm_recurring_email_invoice' => 'Are you sure you want this invoice emailed?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Delete Account',
+ 'cancel_account_message' => 'Warning: This will permanently delete your account, there is no undo.',
+ 'go_back' => 'Go Back',
+ 'data_visualizations' => 'Data Visualizations',
+ 'sample_data' => 'Sample data shown',
+ 'hide' => 'Hide',
+ 'new_version_available' => 'A new version of :releases_link is available. You\'re running v:user_version, the latest is v:latest_version',
+ 'invoice_settings' => 'Invoice Settings',
+ 'invoice_number_prefix' => 'Invoice Number Prefix',
+ 'invoice_number_counter' => 'Invoice Number Counter',
+ 'quote_number_prefix' => 'Quote Number Prefix',
+ 'quote_number_counter' => 'Quote Number Counter',
+ 'share_invoice_counter' => 'Share invoice counter',
+ 'invoice_issued_to' => 'Invoice issued to',
+ 'invalid_counter' => 'To prevent a possible conflict please set either an invoice or quote number prefix',
+ 'mark_sent' => 'Mark Sent',
+ 'gateway_help_1' => ':link to sign up for Authorize.net.',
+ 'gateway_help_2' => ':link to sign up for Authorize.net.',
+ 'gateway_help_17' => ':link to get your PayPal API signature.',
+ 'gateway_help_27' => ':link to sign up for 2Checkout.com. To ensure payments are tracked set :complete_link as the redirect URL under Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'More designs',
+ 'more_designs_title' => 'Additional Invoice Designs',
+ 'more_designs_cloud_header' => 'Go Pro for more invoice designs',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Buy',
+ 'bought_designs' => 'Successfully added additional invoice designs',
+ 'sent' => 'Sent',
+ 'vat_number' => 'VAT Number',
+ 'timesheets' => 'Timesheets',
+ 'payment_title' => 'Enter Your Billing Address and Credit Card information',
+ 'payment_cvv' => '*This is the 3-4 digit number on the back of your card',
+ 'payment_footer1' => '*Billing address must match address associated with credit card.',
+ 'payment_footer2' => '*Please click "PAY NOW" only once - transaction may take up to 1 minute to process.',
+ 'id_number' => 'ID Number',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'Successfully enabled white label license',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Restore',
+ 'restore_invoice' => 'Restore Invoice',
+ 'restore_quote' => 'Restore Quote',
+ 'restore_client' => 'Restore Client',
+ 'restore_credit' => 'Restore Credit',
+ 'restore_payment' => 'Restore Payment',
+ 'restored_invoice' => 'Successfully restored invoice',
+ 'restored_quote' => 'Successfully restored quote',
+ 'restored_client' => 'Successfully restored client',
+ 'restored_payment' => 'Successfully restored payment',
+ 'restored_credit' => 'Successfully restored credit',
+ 'reason_for_canceling' => 'Help us improve our site by telling us why you\'re leaving.',
+ 'discount_percent' => 'Percent',
+ 'discount_amount' => 'Amount',
+ 'invoice_history' => 'Invoice History',
+ 'quote_history' => 'Quote History',
+ 'current_version' => 'Current version',
+ 'select_version' => 'Select version',
+ 'view_history' => 'View History',
+ 'edit_payment' => 'Edit Payment',
+ 'updated_payment' => 'Successfully updated payment',
+ 'deleted' => 'Deleted',
+ 'restore_user' => 'Restore User',
+ 'restored_user' => 'Successfully restored user',
+ 'show_deleted_users' => 'Show deleted users',
+ 'email_templates' => 'Email Templates',
+ 'invoice_email' => 'Invoice Email',
+ 'payment_email' => 'Payment Email',
+ 'quote_email' => 'Quote Email',
+ 'reset_all' => 'Reset All',
+ 'approve' => 'Approve',
+ 'token_billing_type_id' => 'Token Billing',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Disabled',
+ 'token_billing_2' => 'Opt-in - checkbox is shown but not selected',
+ 'token_billing_3' => 'Opt-out - checkbox is shown and selected',
+ 'token_billing_4' => 'Always',
+ 'token_billing_checkbox' => 'Store credit card details',
+ 'view_in_gateway' => 'View in :gateway',
+ 'use_card_on_file' => 'Use Card on File',
+ 'edit_payment_details' => 'Edit payment details',
+ 'token_billing' => 'Save card details',
+ 'token_billing_secure' => 'The data is stored securely by :link',
+ 'support' => 'Support',
+ 'contact_information' => 'Contact Information',
+ '256_encryption' => '256-Bit Encryption',
+ 'amount_due' => 'Amount due',
+ 'billing_address' => 'Billing Address',
+ 'billing_method' => 'Billing Method',
+ 'order_overview' => 'Order overview',
+ 'match_address' => '*Address must match address associated with credit card.',
+ 'click_once' => '*Please click "PAY NOW" only once - transaction may take up to 1 minute to process.',
+ 'invoice_footer' => 'Invoice Footer',
+ 'save_as_default_footer' => 'Save as default footer',
+ 'token_management' => 'Token Management',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Add Token',
+ 'show_deleted_tokens' => 'Show deleted tokens',
+ 'deleted_token' => 'Successfully deleted token',
+ 'created_token' => 'Successfully created token',
+ 'updated_token' => 'Successfully updated token',
+ 'edit_token' => 'Edit Token',
+ 'delete_token' => 'Delete Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Add Gateway',
+ 'delete_gateway' => 'Delete Gateway',
+ 'edit_gateway' => 'Edit Gateway',
+ 'updated_gateway' => 'Successfully updated gateway',
+ 'created_gateway' => 'Successfully created gateway',
+ 'deleted_gateway' => 'Successfully deleted gateway',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Credit Card',
+ 'change_password' => 'Change password',
+ 'current_password' => 'Current password',
+ 'new_password' => 'New password',
+ 'confirm_password' => 'Confirm password',
+ 'password_error_incorrect' => 'The current password is incorrect.',
+ 'password_error_invalid' => 'The new password is invalid.',
+ 'updated_password' => 'Successfully updated password',
+ 'api_tokens' => 'API Tokens',
+ 'users_and_tokens' => 'Users & Tokens',
+ 'account_login' => 'Account Login',
+ 'recover_password' => 'Recover your password',
+ 'forgot_password' => 'Forgot your password?',
+ 'email_address' => 'Email address',
+ 'lets_go' => 'Let\'s go',
+ 'password_recovery' => 'Password Recovery',
+ 'send_email' => 'Send Email',
+ 'set_password' => 'Set Password',
+ 'converted' => 'Converted',
+ 'email_approved' => 'Email me when a quote is approved',
+ 'notification_quote_approved_subject' => 'Quote :invoice was approved by :client',
+ 'notification_quote_approved' => 'The following client :client approved Quote :invoice for :amount.',
+ 'resend_confirmation' => 'Resend confirmation email',
+ 'confirmation_resent' => 'The confirmation email was resent',
+ 'gateway_help_42' => ':link to sign up for BitPay.
Note: use a Legacy API Key, not an API token.',
+ 'payment_type_credit_card' => 'Credit Card',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Knowledge Base',
+ 'partial' => 'Partial/Deposit',
+ 'partial_remaining' => ':partial of :balance',
+ 'more_fields' => 'More Fields',
+ 'less_fields' => 'Less Fields',
+ 'client_name' => 'Client Name',
+ 'pdf_settings' => 'PDF Settings',
+ 'product_settings' => 'Product Settings',
+ 'auto_wrap' => 'Auto Line Wrap',
+ 'duplicate_post' => 'Warning: the previous page was submitted twice. The second submission had been ignored.',
+ 'view_documentation' => 'View Documentation',
+ 'app_title' => 'Free Open-Source Online Invoicing',
+ 'app_description' => 'Invoice Ninja is a free, open-source solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.',
+ 'rows' => 'rows',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdomain',
+ 'provide_name_or_email' => 'Please provide a name or email',
+ 'charts_and_reports' => 'Charts & Reports',
+ 'chart' => 'Chart',
+ 'report' => 'Report',
+ 'group_by' => 'Group by',
+ 'paid' => 'Paid',
+ 'enable_report' => 'Report',
+ 'enable_chart' => 'Chart',
+ 'totals' => 'Totals',
+ 'run' => 'Run',
+ 'export' => 'Export',
+ 'documentation' => 'Documentation',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Recurring',
+ 'last_invoice_sent' => 'Last invoice sent :date',
+ 'processed_updates' => 'Successfully completed update',
+ 'tasks' => 'Tasks',
+ 'new_task' => 'New Task',
+ 'start_time' => 'Start Time',
+ 'created_task' => 'Successfully created task',
+ 'updated_task' => 'Successfully updated task',
+ 'edit_task' => 'Edit Task',
+ 'archive_task' => 'Archive Task',
+ 'restore_task' => 'Restore Task',
+ 'delete_task' => 'Delete Task',
+ 'stop_task' => 'Stop Task',
+ 'time' => 'Time',
+ 'start' => 'Start',
+ 'stop' => 'Stop',
+ 'now' => 'Now',
+ 'timer' => 'Timer',
+ 'manual' => 'Manual',
+ 'date_and_time' => 'Date & Time',
+ 'second' => 'Second',
+ 'seconds' => 'Seconds',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minutes',
+ 'hour' => 'Hour',
+ 'hours' => 'Hours',
+ 'task_details' => 'Task Details',
+ 'duration' => 'Duration',
+ 'time_log'=> 'Time Log',
+ 'end_time' => 'End Time',
+ 'end' => 'End',
+ 'invoiced' => 'Invoiced',
+ 'logged' => 'Logged',
+ 'running' => 'Running',
+ 'task_error_multiple_clients' => 'The tasks can\'t belong to different clients',
+ 'task_error_running' => 'Please stop running tasks first',
+ 'task_error_invoiced' => 'Tasks have already been invoiced',
+ 'restored_task' => 'Successfully restored task',
+ 'archived_task' => 'Successfully archived task',
+ 'archived_tasks' => 'Successfully archived :count tasks',
+ 'deleted_task' => 'Successfully deleted task',
+ 'deleted_tasks' => 'Successfully deleted :count tasks',
+ 'create_task' => 'Create Task',
+ 'stopped_task' => 'Successfully stopped task',
+ 'invoice_task' => 'Invoice Task',
+ 'invoice_labels' => 'Invoice Labels',
+ 'prefix' => 'Prefix',
+ 'counter' => 'Counter',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link to sign up for Dwolla',
+ 'partial_value' => 'Must be greater than zero and less than the total',
+ 'more_actions' => 'More Actions',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Upgrade Now!',
+ 'pro_plan_feature1' => 'Create Unlimited Clients',
+ 'pro_plan_feature2' => 'Access to 10 Beautiful Invoice Designs',
+ 'pro_plan_feature3' => 'Custom URLs - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Remove "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Multi-user Access & Activity Tracking',
+ 'pro_plan_feature6' => 'Create Quotes & Pro-forma Invoices',
+ 'pro_plan_feature7' => 'Customize Invoice Field Titles & Numbering',
+ 'pro_plan_feature8' => 'Option to Attach PDFs to Client Emails',
+ 'resume' => 'Resume',
+ 'break_duration' => 'Break',
+ 'edit_details' => 'Edit Details',
+ 'work' => 'Work',
+ 'timezone_unset' => 'Please :link to set your timezone',
+ 'click_here' => 'click here',
+ 'email_receipt' => 'Email payment receipt to the client',
+ 'created_payment_emailed_client' => 'Successfully created payment and emailed client',
+ 'add_company' => 'Add Company',
+ 'untitled' => 'Untitled',
+ 'new_company' => 'New Company',
+ 'associated_accounts' => 'Successfully linked accounts',
+ 'unlinked_account' => 'Successfully unlinked accounts',
+ 'login' => 'Login',
+ 'or' => 'or',
+ 'email_error' => 'There was a problem sending the email',
+ 'confirm_recurring_timing' => 'Note: emails are sent at the start of the hour.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Sets the default invoice due date',
+ 'unlink_account' => 'Unlink Account',
+ 'unlink' => 'Unlink',
+ 'show_address' => 'Show Address',
+ 'show_address_help' => 'Require client to provide their billing address',
+ 'update_address' => 'Update Address',
+ 'update_address_help' => 'Update client\'s address with provided details',
+ 'times' => 'Times',
+ 'set_now' => 'Set to now',
+ 'dark_mode' => 'Dark Mode',
+ 'dark_mode_help' => 'Use a dark background for the sidebars',
+ 'add_to_invoice' => 'Add to invoice :invoice',
+ 'create_new_invoice' => 'Create new invoice',
+ 'task_errors' => 'Please correct any overlapping times',
+ 'from' => 'From',
+ 'to' => 'To',
+ 'font_size' => 'Font Size',
+ 'primary_color' => 'Primary Color',
+ 'secondary_color' => 'Secondary Color',
+ 'customize_design' => 'Customize Design',
+ 'content' => 'Content',
+ 'styles' => 'Styles',
+ 'defaults' => 'Defaults',
+ 'margins' => 'Margins',
+ 'header' => 'Header',
+ 'footer' => 'Footer',
+ 'custom' => 'Custom',
+ 'invoice_to' => 'Invoice to',
+ 'invoice_no' => 'Invoice No.',
+ 'quote_no' => 'Quote No.',
+ 'recent_payments' => 'Recent Payments',
+ 'outstanding' => 'Outstanding',
+ 'manage_companies' => 'Manage Companies',
+ 'total_revenue' => 'Total Revenue',
+ 'current_user' => 'Current User',
+ 'new_recurring_invoice' => 'New Recurring Invoice',
+ 'recurring_invoice' => 'Recurring Invoice',
+ 'new_recurring_quote' => 'New Recurring Quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'It\'s too soon to create the next recurring invoice, it\'s scheduled for :date',
+ 'created_by_invoice' => 'Created by :invoice',
+ 'primary_user' => 'Primary User',
+ 'help' => 'Help',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Due Date',
+ 'quote_due_date' => 'Valid Until',
+ 'valid_until' => 'Valid Until',
+ 'reset_terms' => 'Reset terms',
+ 'reset_footer' => 'Reset footer',
+ 'invoice_sent' => ':count invoice sent',
+ 'invoices_sent' => ':count invoices sent',
+ 'status_draft' => 'Draft',
+ 'status_sent' => 'Sent',
+ 'status_viewed' => 'Viewed',
+ 'status_partial' => 'Partial',
+ 'status_paid' => 'Paid',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Display line item taxes inline',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'Copy the following code to a page on your site.',
+ 'iframe_url_help2' => 'You can test the feature by clicking \'View as recipient\' for an invoice.',
+ 'auto_bill' => 'Auto Bill',
+ 'military_time' => '24 Hour Time',
+ 'last_sent' => 'Last Sent',
+ 'reminder_emails' => 'Reminder Emails',
+ 'templates_and_reminders' => 'Templates & Reminders',
+ 'subject' => 'Subject',
+ 'body' => 'Body',
+ 'first_reminder' => 'First Reminder',
+ 'second_reminder' => 'Second Reminder',
+ 'third_reminder' => 'Third Reminder',
+ 'num_days_reminder' => 'Days after due date',
+ 'reminder_subject' => 'Reminder: Invoice :invoice from :account',
+ 'reset' => 'Reset',
+ 'invoice_not_found' => 'The requested invoice is not available',
+ 'referral_program' => 'Referral Program',
+ 'referral_code' => 'Referral URL',
+ 'last_sent_on' => 'Sent Last: :date',
+ 'page_expire' => 'This page will expire soon, :click_here to keep working',
+ 'upcoming_quotes' => 'Upcoming Quotes',
+ 'expired_quotes' => 'Expired Quotes',
+ 'sign_up_using' => 'Sign up using',
+ 'invalid_credentials' => 'These credentials do not match our records',
+ 'show_all_options' => 'Show all options',
+ 'user_details' => 'User Details',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Disable',
+ 'invoice_quote_number' => 'Invoice and Quote Numbers',
+ 'invoice_charges' => 'Invoice Surcharges',
+ 'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact.',
+ 'notification_invoice_bounced_subject' => 'Unable to deliver Invoice :invoice',
+ 'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact.',
+ 'notification_quote_bounced_subject' => 'Unable to deliver Quote :invoice',
+ 'custom_invoice_link' => 'Custom Invoice Link',
+ 'total_invoiced' => 'Total Invoiced',
+ 'open_balance' => 'Open Balance',
+ 'verify_email' => 'Please visit the link in the account confirmation email to verify your email address.',
+ 'basic_settings' => 'Basic Settings',
+ 'pro' => 'Pro',
+ 'gateways' => 'Payment Gateways',
+ 'next_send_on' => 'Send Next: :date',
+ 'no_longer_running' => 'This invoice is not scheduled to run',
+ 'general_settings' => 'General Settings',
+ 'customize' => 'Customize',
+ 'oneclick_login_help' => 'Connect an account to login without a password',
+ 'referral_code_help' => 'Earn money by sharing our app online',
+ 'enable_with_stripe' => 'Enable | Requires Stripe',
+ 'tax_settings' => 'Tax Settings',
+ 'create_tax_rate' => 'Add Tax Rate',
+ 'updated_tax_rate' => 'Successfully updated tax rate',
+ 'created_tax_rate' => 'Successfully created tax rate',
+ 'edit_tax_rate' => 'Edit tax rate',
+ 'archive_tax_rate' => 'Archive Tax Rate',
+ 'archived_tax_rate' => 'Successfully archived the tax rate',
+ 'default_tax_rate_id' => 'Default Tax Rate',
+ 'tax_rate' => 'Tax Rate',
+ 'recurring_hour' => 'Recurring Hour',
+ 'pattern' => 'Pattern',
+ 'pattern_help_title' => 'Pattern Help',
+ 'pattern_help_1' => 'Create custom numbers by specifying a pattern',
+ 'pattern_help_2' => 'Available variables:',
+ 'pattern_help_3' => 'For example, :example would be converted to :value',
+ 'see_options' => 'See options',
+ 'invoice_counter' => 'Invoice Counter',
+ 'quote_counter' => 'Quote Counter',
+ 'type' => 'Type',
+ 'activity_1' => ':user created client :client',
+ 'activity_2' => ':user archived client :client',
+ 'activity_3' => ':user deleted client :client',
+ 'activity_4' => ':user created invoice :invoice',
+ 'activity_5' => ':user updated invoice :invoice',
+ 'activity_6' => ':user emailed invoice :invoice to :contact',
+ 'activity_7' => ':contact viewed invoice :invoice',
+ 'activity_8' => ':user archived invoice :invoice',
+ 'activity_9' => ':user deleted invoice :invoice',
+ 'activity_10' => ':contact entered payment :payment for :invoice',
+ 'activity_11' => ':user updated payment :payment',
+ 'activity_12' => ':user archived payment :payment',
+ 'activity_13' => ':user deleted payment :payment',
+ 'activity_14' => ':user entered :credit credit',
+ 'activity_15' => ':user updated :credit credit',
+ 'activity_16' => ':user archived :credit credit',
+ 'activity_17' => ':user deleted :credit credit',
+ 'activity_18' => ':user created quote :quote',
+ 'activity_19' => ':user updated quote :quote',
+ 'activity_20' => ':user emailed quote :quote to :contact',
+ 'activity_21' => ':contact viewed quote :quote',
+ 'activity_22' => ':user archived quote :quote',
+ 'activity_23' => ':user deleted quote :quote',
+ 'activity_24' => ':user restored quote :quote',
+ 'activity_25' => ':user restored invoice :invoice',
+ 'activity_26' => ':user restored client :client',
+ 'activity_27' => ':user restored payment :payment',
+ 'activity_28' => ':user restored :credit credit',
+ 'activity_29' => ':contact approved quote :quote',
+ 'activity_30' => ':user created vendor :vendor',
+ 'activity_31' => ':user archived vendor :vendor',
+ 'activity_32' => ':user deleted vendor :vendor',
+ 'activity_33' => ':user restored vendor :vendor',
+ 'activity_34' => ':user created expense :expense',
+ 'activity_35' => ':user archived expense :expense',
+ 'activity_36' => ':user deleted expense :expense',
+ 'activity_37' => ':user restored expense :expense',
+ 'activity_42' => ':user created task :task',
+ 'activity_43' => ':user updated task :task',
+ 'activity_44' => ':user archived task :task',
+ 'activity_45' => ':user deleted task :task',
+ 'activity_46' => ':user restored task :task',
+ 'activity_47' => ':user updated expense :expense',
+ 'activity_48' => ':user updated ticket :ticket',
+ 'activity_49' => ':user closed ticket :ticket',
+ 'activity_50' => ':user merged ticket :ticket',
+ 'activity_51' => ':user split ticket :ticket',
+ 'activity_52' => ':contact opened ticket :ticket',
+ 'activity_53' => ':contact reopened ticket :ticket',
+ 'activity_54' => ':user reopened ticket :ticket',
+ 'activity_55' => ':contact replied ticket :ticket',
+ 'activity_56' => ':user viewed ticket :ticket',
+
+ 'payment' => 'Payment',
+ 'system' => 'System',
+ 'signature' => 'Email Signature',
+ 'default_messages' => 'Default Messages',
+ 'quote_terms' => 'Quote Terms',
+ 'default_quote_terms' => 'Default Quote Terms',
+ 'default_invoice_terms' => 'Default Invoice Terms',
+ 'default_invoice_footer' => 'Default Invoice Footer',
+ 'quote_footer' => 'Quote Footer',
+ 'free' => 'Free',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Apply Credit',
+ 'system_settings' => 'System Settings',
+ 'archive_token' => 'Archive Token',
+ 'archived_token' => 'Successfully archived token',
+ 'archive_user' => 'Archive User',
+ 'archived_user' => 'Successfully archived user',
+ 'archive_account_gateway' => 'Archive Gateway',
+ 'archived_account_gateway' => 'Successfully archived gateway',
+ 'archive_recurring_invoice' => 'Archive Recurring Invoice',
+ 'archived_recurring_invoice' => 'Successfully archived recurring invoice',
+ 'delete_recurring_invoice' => 'Delete Recurring Invoice',
+ 'deleted_recurring_invoice' => 'Successfully deleted recurring invoice',
+ 'restore_recurring_invoice' => 'Restore Recurring Invoice',
+ 'restored_recurring_invoice' => 'Successfully restored recurring invoice',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archived',
+ 'untitled_account' => 'Untitled Company',
+ 'before' => 'Before',
+ 'after' => 'After',
+ 'reset_terms_help' => 'Reset to the default account terms',
+ 'reset_footer_help' => 'Reset to the default account footer',
+ 'export_data' => 'Export Data',
+ 'user' => 'User',
+ 'country' => 'Country',
+ 'include' => 'Include',
+ 'logo_too_large' => 'Your logo is :size, for better PDF performance we suggest uploading an image file less than 200KB',
+ 'import_freshbooks' => 'Import From FreshBooks',
+ 'import_data' => 'Import Data',
+ 'source' => 'Source',
+ 'csv' => 'CSV',
+ 'client_file' => 'Client File',
+ 'invoice_file' => 'Invoice File',
+ 'task_file' => 'Task File',
+ 'no_mapper' => 'No valid mapping for file',
+ 'invalid_csv_header' => 'Invalid CSV Header',
+ 'client_portal' => 'Client Portal',
+ 'admin' => 'Admin',
+ 'disabled' => 'Disabled',
+ 'show_archived_users' => 'Show archived users',
+ 'notes' => 'Notes',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => 'invoices will be created',
+ 'failed_to_import' => 'The following records failed to import, they either already exist or are missing required fields.',
+ 'publishable_key' => 'Publishable Key',
+ 'secret_key' => 'Secret Key',
+ 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process',
+ 'email_design' => 'Email Design',
+ 'due_by' => 'Due by :date',
+ 'enable_email_markup' => 'Enable Markup',
+ 'enable_email_markup_help' => 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
+ 'template_help_title' => 'Templates Help',
+ 'template_help_1' => 'Available variables:',
+ 'email_design_id' => 'Email Style',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'Plain',
+ 'light' => 'Light',
+ 'dark' => 'Dark',
+ 'industry_help' => 'Used to provide comparisons against the averages of companies of similar size and industry.',
+ 'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the invoice number.',
+ 'quote_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the quote number.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Add a label and value to the company details section of the PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Add a field when creating an invoice and include the charge in the invoice subtotals.',
+ 'token_expired' => 'Validation token was expired. Please try again.',
+ 'invoice_link' => 'Invoice Link',
+ 'button_confirmation_message' => 'Click to confirm your email address.',
+ 'confirm' => 'Confirm',
+ 'email_preferences' => 'Email Preferences',
+ 'created_invoices' => 'Successfully created :count invoice(s)',
+ 'next_invoice_number' => 'The next invoice number is :number.',
+ 'next_quote_number' => 'The next quote number is :number.',
+ 'days_before' => 'days before the',
+ 'days_after' => 'days after the',
+ 'field_due_date' => 'due date',
+ 'field_invoice_date' => 'invoice date',
+ 'schedule' => 'Schedule',
+ 'email_designs' => 'Email Designs',
+ 'assigned_when_sent' => 'Assigned when sent',
+ 'white_label_purchase_link' => 'Purchase a white label license',
+ 'expense' => 'Expense',
+ 'expenses' => 'Expenses',
+ 'new_expense' => 'Enter Expense',
+ 'enter_expense' => 'Enter Expense',
+ 'vendors' => 'Vendors',
+ 'new_vendor' => 'New Vendor',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Vendor',
+ 'edit_vendor' => 'Edit Vendor',
+ 'archive_vendor' => 'Archive Vendor',
+ 'delete_vendor' => 'Delete Vendor',
+ 'view_vendor' => 'View Vendor',
+ 'deleted_expense' => 'Successfully deleted expense',
+ 'archived_expense' => 'Successfully archived expense',
+ 'deleted_expenses' => 'Successfully deleted expenses',
+ 'archived_expenses' => 'Successfully archived expenses',
+ 'expense_amount' => 'Expense Amount',
+ 'expense_balance' => 'Expense Balance',
+ 'expense_date' => 'Expense Date',
+ 'expense_should_be_invoiced' => 'Should this expense be invoiced?',
+ 'public_notes' => 'Public Notes',
+ 'invoice_amount' => 'Invoice Amount',
+ 'exchange_rate' => 'Exchange Rate',
+ 'yes' => 'Yes',
+ 'no' => 'No',
+ 'should_be_invoiced' => 'Should be invoiced',
+ 'view_expense' => 'View expense # :expense',
+ 'edit_expense' => 'Edit Expense',
+ 'archive_expense' => 'Archive Expense',
+ 'delete_expense' => 'Delete Expense',
+ 'view_expense_num' => 'Expense # :expense',
+ 'updated_expense' => 'Successfully updated expense',
+ 'created_expense' => 'Successfully created expense',
+ 'enter_expense' => 'Enter Expense',
+ 'view' => 'View',
+ 'restore_expense' => 'Restore Expense',
+ 'invoice_expense' => 'Invoice Expense',
+ 'expense_error_multiple_clients' => 'The expenses can\'t belong to different clients',
+ 'expense_error_invoiced' => 'Expense has already been invoiced',
+ 'convert_currency' => 'Convert currency',
+ 'num_days' => 'Number of Days',
+ 'create_payment_term' => 'Create Payment Term',
+ 'edit_payment_terms' => 'Edit Payment Term',
+ 'edit_payment_term' => 'Edit Payment Term',
+ 'archive_payment_term' => 'Archive Payment Term',
+ 'recurring_due_dates' => 'Recurring Invoice Due Dates',
+ '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.
+
+
',
+ 'due' => 'Due',
+ 'next_due_on' => 'Due Next: :date',
+ 'use_client_terms' => 'Use client terms',
+ 'day_of_month' => ':ordinal day of month',
+ 'last_day_of_month' => 'Last day of month',
+ 'day_of_week_after' => ':ordinal :day after',
+ 'sunday' => 'Sunday',
+ 'monday' => 'Monday',
+ 'tuesday' => 'Tuesday',
+ 'wednesday' => 'Wednesday',
+ 'thursday' => 'Thursday',
+ 'friday' => 'Friday',
+ 'saturday' => 'Saturday',
+ 'header_font_id' => 'Header Font',
+ 'body_font_id' => 'Body Font',
+ 'color_font_help' => 'Note: the primary color and fonts are also used in the client portal and custom email designs.',
+ 'live_preview' => 'Live Preview',
+ 'invalid_mail_config' => 'Unable to send email, please check that the mail settings are correct.',
+ 'invoice_message_button' => 'To view your invoice for :amount, click the button below.',
+ 'quote_message_button' => 'To view your quote for :amount, click the button below.',
+ 'payment_message_button' => 'Thank you for your payment of :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Credit Cards & Banks',
+ 'add_bank_account' => 'Add Bank Account',
+ 'setup_account' => 'Setup Account',
+ 'import_expenses' => 'Import Expenses',
+ 'bank_id' => 'Bank',
+ 'integration_type' => 'Integration Type',
+ 'updated_bank_account' => 'Successfully updated bank account',
+ 'edit_bank_account' => 'Edit Bank Account',
+ 'archive_bank_account' => 'Archive Bank Account',
+ 'archived_bank_account' => 'Successfully archived bank account',
+ 'created_bank_account' => 'Successfully created bank account',
+ 'validate_bank_account' => 'Validate Bank Account',
+ 'bank_password_help' => 'Note: your password is transmitted securely and never stored on our servers.',
+ 'bank_password_warning' => 'Warning: your password may be transmitted in plain text, consider enabling HTTPS.',
+ 'username' => 'Username',
+ 'account_number' => 'Account Number',
+ 'account_name' => 'Account Name',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Approved',
+ 'quote_settings' => 'Quote Settings',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved by a client.',
+ 'validate' => 'Validate',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Successfully created :count_vendors vendor(s) and :count_expenses expense(s)',
+ 'iframe_url_help3' => 'Note: if you plan on accepting credit cards details we strongly recommend enabling HTTPS on your site.',
+ 'expense_error_multiple_currencies' => 'The expenses can\'t have different currencies.',
+ 'expense_error_mismatch_currencies' => 'The client\'s currency does not match the expense currency.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'First page',
+ 'all_pages' => 'All pages',
+ 'last_page' => 'Last page',
+ 'all_pages_header' => 'Show Header on',
+ 'all_pages_footer' => 'Show Footer on',
+ 'invoice_currency' => 'Invoice Currency',
+ 'enable_https' => 'We strongly recommend using HTTPS to accept credit card details online.',
+ 'quote_issued_to' => 'Quote issued to',
+ 'show_currency_code' => 'Currency Code',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Your account will receive a free two week trial of our pro plan.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Start Free Trial',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Overdue',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'To adjust your email notification settings please visit :link',
+ 'reset_password_footer' => 'If you did not request this password reset please email our support: :email',
+ 'limit_users' => 'Sorry, this will exceed the limit of :limit users',
+ 'more_designs_self_host_header' => 'Get 6 more invoice designs for just $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link to remove the Invoice Ninja logo by joining the Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Click here',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'Viewed',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Emails can not be sent to inactive invoices',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'List Invoices',
+ 'list_clients' => 'List Clients',
+ 'list_quotes' => 'List Quotes',
+ 'list_tasks' => 'List Tasks',
+ 'list_expenses' => 'List Expenses',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => 'List Payments',
+ 'list_credits' => 'List Credits',
+ 'tax_name' => 'Tax Name',
+ 'report_settings' => 'Report Settings',
+ 'search_hotkey' => 'shortcut is /',
+
+ 'new_user' => 'New User',
+ 'new_product' => 'New Product',
+ 'new_tax_rate' => 'New Tax Rate',
+ 'invoiced_amount' => 'Invoiced Amount',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Recurring Number',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Password Protect Invoices',
+ 'enable_portal_password_help' => 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Expired',
+ 'invalid_card_number' => 'The credit card number is not valid.',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Cost',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Owner',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Partial Due',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'January',
+ 'february' => 'February',
+ 'march' => 'March',
+ 'april' => 'April',
+ 'may' => 'May',
+ 'june' => 'June',
+ 'july' => 'July',
+ 'august' => 'August',
+ 'september' => 'September',
+ 'october' => 'October',
+ 'november' => 'November',
+ 'december' => 'December',
+
+ // Documents
+ 'documents_header' => 'Documents:',
+ 'email_documents_header' => 'Documents:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_default_message_disabled' => 'Uploads disabled',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Client Portal',
+ 'enable_client_portal_help' => 'Show/hide the client portal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Account Management',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Monthly',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Month',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Live Preview',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refund Payment',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Refund',
+ 'are_you_sure_refund' => 'Refund selected payments?',
+ 'status_pending' => 'Pending',
+ 'status_completed' => 'Completed',
+ 'status_failed' => 'Failed',
+ 'status_partially_refunded' => 'Partially Refunded',
+ 'status_partially_refunded_amount' => ':amount Refunded',
+ 'status_refunded' => 'Refunded',
+ 'status_voided' => 'Cancelled',
+ 'refunded_payment' => 'Refunded Payment',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Unknown',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Client Id',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Other Providers',
+ 'country_not_supported' => 'That country is not supported.',
+ 'invalid_routing_number' => 'The routing number is not valid.',
+ 'invalid_account_number' => 'The account number is not valid.',
+ 'account_number_mismatch' => 'The account numbers do not match.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Company Account',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Add Account',
+ 'payment_methods' => 'Payment Methods',
+ 'complete_verification' => 'Complete Verification',
+ 'verification_amount1' => 'Amount 1',
+ 'verification_amount2' => 'Amount 2',
+ 'payment_method_verified' => 'Verification completed successfully',
+ 'verification_failed' => 'Verification Failed',
+ 'remove_payment_method' => 'Remove Payment Method',
+ 'confirm_remove_payment_method' => 'Are you sure you want to remove this payment method?',
+ 'remove' => 'Remove',
+ 'payment_method_removed' => 'Removed payment method.',
+ 'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Unknown Bank',
+ 'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
+ 'add_credit_card' => 'Add Credit Card',
+ 'payment_method_added' => 'Added payment method.',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'You must :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Add Payment Method',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Always',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Enabled',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Save payment details',
+ 'add_paypal_account' => 'Add PayPal Account',
+
+
+ 'no_payment_method_specified' => 'No payment method specified',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Format',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Company Name',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Manage Account',
+ 'action_required' => 'Action Required',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Security',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Product File',
+ 'import_products' => 'Import Products',
+ 'products_will_create' => 'products will be created',
+ 'product_key' => 'Product',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'View Dashboard',
+ 'client_session_expired' => 'Session Expired',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bank account',
+ 'auto_bill_payment_method_credit_card' => 'credit card',
+ 'auto_bill_payment_method_paypal' => 'PayPal account',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Payment Settings',
+
+ 'on_send_date' => 'On send date',
+ 'on_due_date' => 'On due date',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bank Account',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privacy Policy',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Verification Pending',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'More options',
+ 'credit_card' => 'Credit Card',
+ 'bank_transfer' => 'Bank Transfer',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Added :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'This gateway already exists',
+ 'manual_entry' => 'Manual entry',
+ 'start_of_week' => 'First Day of the Week',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Weekly',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Two weeks',
+ 'freq_four_weeks' => 'Four weeks',
+ 'freq_monthly' => 'Monthly',
+ 'freq_three_months' => 'Three months',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Six months',
+ 'freq_annually' => 'Annually',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Bank Transfer',
+ 'payment_type_Cash' => 'Cash',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Credit Card Other',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' => 'Photography',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' =>'Photography',
+
+ 'view_client_portal' => 'View client portal',
+ 'view_portal' => 'View Portal',
+ 'vendor_contacts' => 'Vendor Contacts',
+ 'all' => 'All',
+ 'selected' => 'Selected',
+ 'category' => 'Category',
+ 'categories' => 'Categories',
+ 'new_expense_category' => 'New Expense Category',
+ 'edit_category' => 'Edit Category',
+ 'archive_expense_category' => 'Archive Category',
+ 'expense_categories' => 'Expense Categories',
+ 'list_expense_categories' => 'List Expense Categories',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Apply taxes',
+ 'min_to_max_users' => ':min to :max users',
+ 'max_users_reached' => 'The maximum number of users has been reached.',
+ 'buy_now_buttons' => 'Buy Now Buttons',
+ 'landing_page' => 'Landing Page',
+ 'payment_type' => 'Payment Type',
+ 'form' => 'Form',
+ 'link' => 'Link',
+ 'fields' => 'Fields',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Enable support for buy now buttons',
+ 'changes_take_effect_immediately' => 'Note: changes take effect immediately',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Something went wrong',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Please select a contact',
+ 'no_client_selected' => 'Please select a client',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Add 1 :product',
+ 'not_authorized' => 'You are not authorized',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'task_details'=>'Task Details',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Day',
+ 'week' => 'Week',
+ 'month' => 'Month',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Reports',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Date Range',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Annual revenue',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Vendor',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Invoice',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'module_ticket' => 'Tickets',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+ 'payment_reference' => 'Payment Reference',
+ 'maximum' => 'Maximum',
+ 'sort' => 'Sort',
+ 'refresh_complete' => 'Refresh Complete',
+ 'please_enter_your_email' => 'Please enter your email',
+ 'please_enter_your_password' => 'Please enter your password',
+ 'please_enter_your_url' => 'Please enter your URL',
+ 'please_enter_a_product_key' => 'Please enter a product key',
+ 'an_error_occurred' => 'An error occurred',
+ 'overview' => 'Overview',
+ 'copied_to_clipboard' => 'Copied :value to the clipboard',
+ 'error' => 'Error',
+ 'could_not_launch' => 'Could not launch',
+ 'additional' => 'Additional',
+ 'ok' => 'Ok',
+ 'email_is_invalid' => 'Email is invalid',
+ 'items' => 'Items',
+ 'partial_deposit' => 'Partial/Deposit',
+ 'add_item' => 'Add Item',
+ 'total_amount' => 'Total Amount',
+ 'pdf' => 'PDF',
+ 'invoice_status_id' => 'Invoice Status',
+ 'click_plus_to_add_item' => 'Click + to add an item',
+ 'count_selected' => ':count selected',
+ 'dismiss' => 'Dismiss',
+ 'please_select_a_date' => 'Please select a date',
+ 'please_select_a_client' => 'Please select a client',
+ 'language' => 'Language',
+ 'updated_at' => 'Updated',
+ 'please_enter_an_invoice_number' => 'Please enter an invoice number',
+ 'please_enter_a_quote_number' => 'Please enter a quote number',
+ 'clients_invoices' => ':client\'s invoices',
+ 'viewed' => 'Viewed',
+ 'approved' => 'Approved',
+ 'invoice_status_1' => 'Draft',
+ 'invoice_status_2' => 'Sent',
+ 'invoice_status_3' => 'Viewed',
+ 'invoice_status_4' => 'Approved',
+ 'invoice_status_5' => 'Partial',
+ 'invoice_status_6' => 'Paid',
+ 'marked_invoice_as_sent' => 'Successfully marked invoice as sent',
+ 'please_enter_a_client_or_contact_name' => 'Please enter a client or contact name',
+ 'restart_app_to_apply_change' => 'Restart the app to apply the change',
+ 'refresh_data' => 'Refresh Data',
+ 'blank_contact' => 'Blank Contact',
+ 'no_records_found' => 'No records found',
+ 'industry' => 'Industry',
+ 'size' => 'Size',
+ 'net' => 'Net',
+ 'show_tasks' => 'Show tasks',
+ 'email_reminders' => 'Email Reminders',
+ 'reminder1' => 'First Reminder',
+ 'reminder2' => 'Second Reminder',
+ 'reminder3' => 'Third Reminder',
+ 'send' => 'Send',
+ 'auto_billing' => 'Auto billing',
+ 'button' => 'Button',
+ 'more' => 'More',
+ 'edit_recurring_invoice' => 'Edit Recurring Invoice',
+ 'edit_recurring_quote' => 'Edit Recurring Quote',
+ 'quote_status' => 'Quote Status',
+ 'please_select_an_invoice' => 'Please select an invoice',
+ 'filtered_by' => 'Filtered by',
+ 'payment_status' => 'Payment Status',
+ 'payment_status_1' => 'Pending',
+ 'payment_status_2' => 'Voided',
+ 'payment_status_3' => 'Failed',
+ 'payment_status_4' => 'Completed',
+ 'payment_status_5' => 'Partially Refunded',
+ 'payment_status_6' => 'Refunded',
+ 'send_receipt_to_client' => 'Send receipt to the client',
+ 'refunded' => 'Refunded',
+ 'marked_quote_as_sent' => 'Successfully marked quote as sent',
+ 'custom_module_settings' => 'Custom Module Settings',
+ 'ticket' => 'Ticket',
+ 'tickets' => 'Tickets',
+ 'ticket_number' => 'Ticket #',
+ 'new_ticket' => 'New Ticket',
+ 'edit_ticket' => 'Edit Ticket',
+ 'view_ticket' => 'View Ticket',
+ 'archive_ticket' => 'Archive Ticket',
+ 'restore_ticket' => 'Restore Ticket',
+ 'delete_ticket' => 'Delete Ticket',
+ 'archived_ticket' => 'Successfully archived ticket',
+ 'archived_tickets' => 'Successfully archived tickets',
+ 'restored_ticket' => 'Successfully restored ticket',
+ 'deleted_ticket' => 'Successfully deleted ticket',
+ 'open' => 'Open',
+ 'new' => 'New',
+ 'closed' => 'Closed',
+ 'reopened' => 'Reopened',
+ 'priority' => 'Priority',
+ 'last_updated' => 'Last Updated',
+ 'comment' => 'Comments',
+ 'tags' => 'Tags',
+ 'linked_objects' => 'Linked Objects',
+ 'low' => 'Low',
+ 'medium' => 'Medium',
+ 'high' => 'High',
+ 'no_due_date' => 'No due date set',
+ 'assigned_to' => 'Assigned to',
+ 'reply' => 'Reply',
+ 'awaiting_reply' => 'Awaiting reply',
+ 'ticket_close' => 'Close Ticket',
+ 'ticket_reopen' => 'Reopen Ticket',
+ 'ticket_open' => 'Open Ticket',
+ 'ticket_split' => 'Split Ticket',
+ 'ticket_merge' => 'Merge Ticket',
+ 'ticket_update' => 'Update Ticket',
+ 'ticket_settings' => 'Ticket Settings',
+ 'updated_ticket' => 'Ticket Updated',
+ 'mark_spam' => 'Mark as Spam',
+ 'local_part' => 'Local Part',
+ 'local_part_unavailable' => 'Name taken',
+ 'local_part_available' => 'Name available',
+ 'local_part_invalid' => 'Invalid name (alpha numeric only, no spaces',
+ 'local_part_help' => 'Customise the local part of your inbound support email, ie. YOUR_NAME@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_placeholder' => 'Support Center',
+ 'attachments' => 'Attachments',
+ 'client_upload' => 'Client uploads',
+ 'enable_client_upload_help' => 'Allow clients to upload documents/attachments',
+ 'max_file_size_help' => 'Maximum file size (KB) is limited by your post_max_size and upload_max_filesize variables as set in your PHP.INI',
+ 'max_file_size' => 'Maximum file size',
+ 'mime_types' => 'Mime types',
+ 'mime_types_placeholder' => '.pdf , .docx, .jpg',
+ 'mime_types_help' => 'Comma separated list of allowed mime types, leave blank for all',
+ 'ticket_number_start_help' => 'Ticket number must be greater than the current ticket number',
+ 'new_ticket_template_id' => 'New ticket',
+ 'new_ticket_autoresponder_help' => 'Selecting a template will send an auto response to a client/contact when a new ticket is created',
+ 'update_ticket_template_id' => 'Updated ticket',
+ 'update_ticket_autoresponder_help' => 'Selecting a template will send an auto response to a client/contact when a ticket is updated',
+ 'close_ticket_template_id' => 'Closed ticket',
+ 'close_ticket_autoresponder_help' => 'Selecting a template will send an auto response to a client/contact when a ticket is closed',
+ 'default_priority' => 'Default priority',
+ 'alert_new_comment_id' => 'New comment',
+ 'alert_comment_ticket_help' => 'Selecting a template will send a notification (to agent) when a comment is made.',
+ 'alert_comment_ticket_email_help' => 'Comma separated emails to bcc on new comment.',
+ 'new_ticket_notification_list' => 'Additional new ticket notifications',
+ 'update_ticket_notification_list' => 'Additional new comment notifications',
+ 'comma_separated_values' => 'admin@example.com, supervisor@example.com',
+ 'alert_ticket_assign_agent_id' => 'Ticket assignment',
+ 'alert_ticket_assign_agent_id_hel' => 'Selecting a template will send a notification (to agent) when a ticket is assigned.',
+ 'alert_ticket_assign_agent_id_notifications' => 'Additional ticket assigned notifications',
+ '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_overdue_agent_id' => 'Ticket overdue',
+ 'alert_ticket_overdue_email' => 'Additional overdue ticket notifications',
+ 'alert_ticket_overdue_email_help' => 'Comma separated emails to bcc on ticket overdue.',
+ 'alert_ticket_overdue_agent_id_help' => 'Selecting a template will send a notification (to agent) when a ticket becomes overdue.',
+ 'ticket_master' => 'Ticket Master',
+ 'ticket_master_help' => 'Has the ability to assign and transfer tickets. Assigned as the default agent for all tickets.',
+ 'default_agent' => 'Default Agent',
+ 'default_agent_help' => 'If selected will automatically be assigned to all inbound tickets',
+ 'show_agent_details' => 'Show agent details on responses',
+ 'avatar' => 'Avatar',
+ 'remove_avatar' => 'Remove avatar',
+ 'ticket_not_found' => 'Ticket not found',
+ 'add_template' => 'Add Template',
+ 'ticket_template' => 'Ticket Template',
+ 'ticket_templates' => 'Ticket Templates',
+ 'updated_ticket_template' => 'Updated Ticket Template',
+ 'created_ticket_template' => 'Created Ticket Template',
+ 'archive_ticket_template' => 'Archive Template',
+ 'restore_ticket_template' => 'Restore Template',
+ 'archived_ticket_template' => 'Successfully archived template',
+ 'restored_ticket_template' => 'Successfully restored template',
+ 'close_reason' => 'Let us know why you are closing this ticket',
+ 'reopen_reason' => 'Les us know why you are reopening this ticket',
+ 'enter_ticket_message' => 'Please enter a message to update the ticket',
+ 'show_hide_all' => 'Show / Hide all',
+ 'subject_required' => 'Subject required',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+ 'ticket_assignment' => 'Ticket :ticket_number has been assigned to :agent',
+ 'ticket_contact_reply' => 'Ticket :ticket_number has been updated by client :contact',
+ 'ticket_new_template_subject' => 'Ticket :ticket_number has been created.',
+ 'ticket_updated_template_subject' => 'Ticket :ticket_number has been updated.',
+ 'ticket_closed_template_subject' => 'Ticket :ticket_number has been closed.',
+ 'ticket_overdue_template_subject' => 'Ticket :ticket_number is now overdue',
+ 'merge' => 'Merge',
+ 'merged' => 'Merged',
+ 'agent' => 'Agent',
+ 'parent_ticket' => 'Parent Ticket',
+ 'linked_tickets' => 'Linked Tickets',
+ 'merge_prompt' => 'Enter ticket number to merge into',
+ 'merge_from_to' => 'Ticket #:old_ticket merged into Ticket #:new_ticket',
+ 'merge_closed_ticket_text' => 'Ticket #:old_ticket was closed and merged into Ticket#:new_ticket - :subject',
+ 'merge_updated_ticket_text' => 'Ticket #:old_ticket was closed and merged into this ticket',
+ 'merge_placeholder' => 'Merge ticket #:ticket into the following ticket',
+ 'select_ticket' => 'Select Ticket',
+ 'new_internal_ticket' => 'New internal ticket',
+ 'internal_ticket' => 'Internal ticket',
+ 'create_ticket' => 'Create ticket',
+ 'allow_inbound_email_tickets_external' => 'New Tickets by email (Client)',
+ 'allow_inbound_email_tickets_external_help' => 'Allow clients to create new tickets by email',
+ 'include_in_filter' => 'Include in filter',
+ 'custom_client1' => ':VALUE',
+ 'custom_client2' => ':VALUE',
+ 'compare' => 'Compare',
+ 'hosted_login' => 'Hosted Login',
+ 'selfhost_login' => 'Selfhost Login',
+ 'google_login' => 'Google Login',
+ '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',
+ 'today' => 'Today',
+ 'current' => 'Current',
+ 'previous' => 'Previous',
+ 'current_period' => 'Current Period',
+ 'comparison_period' => 'Comparison Period',
+ 'previous_period' => 'Previous Period',
+ 'previous_year' => 'Previous Year',
+ 'compare_to' => 'Compare to',
+ 'last_week' => 'Last Week',
+ 'clone_to_invoice' => 'Clone to Invoice',
+ 'clone_to_quote' => 'Clone to Quote',
+ 'convert' => 'Convert',
+ 'last7_days' => 'Last 7 Days',
+ 'last30_days' => 'Last 30 days',
+ 'custom_js' => 'Custom JS',
+ 'adjust_fee_percent_help' => 'Adjust percent to account for fee',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/en_GB/pagination.php b/resources/lang/en_GB/pagination.php
new file mode 100644
index 000000000000..b573b51e9158
--- /dev/null
+++ b/resources/lang/en_GB/pagination.php
@@ -0,0 +1,20 @@
+ '« Previous',
+
+ 'next' => 'Next »',
+
+);
diff --git a/resources/lang/en_GB/passwords.php b/resources/lang/en_GB/passwords.php
new file mode 100644
index 000000000000..0e9f9bdaf519
--- /dev/null
+++ b/resources/lang/en_GB/passwords.php
@@ -0,0 +1,22 @@
+ "Passwords must be at least six characters and match the confirmation.",
+ "user" => "We can't find a user with that e-mail address.",
+ "token" => "This password reset token is invalid.",
+ "sent" => "We have e-mailed your password reset link!",
+ "reset" => "Your password has been reset!",
+
+];
diff --git a/resources/lang/en_GB/reminders.php b/resources/lang/en_GB/reminders.php
new file mode 100644
index 000000000000..b35b56e9584e
--- /dev/null
+++ b/resources/lang/en_GB/reminders.php
@@ -0,0 +1,24 @@
+ "Passwords must be at least six characters and match the confirmation.",
+
+ "user" => "We can't find a user with that e-mail address.",
+
+ "token" => "This password reset token is invalid.",
+
+ "sent" => "Password reminder sent!",
+
+);
diff --git a/resources/lang/en_GB/texts.php b/resources/lang/en_GB/texts.php
new file mode 100644
index 000000000000..a099d75c471c
--- /dev/null
+++ b/resources/lang/en_GB/texts.php
@@ -0,0 +1,2874 @@
+ 'Organization',
+ 'name' => 'Name',
+ 'website' => 'Website',
+ 'work_phone' => 'Phone',
+ 'address' => 'Address',
+ 'address1' => 'Street',
+ 'address2' => 'Apt/Suite',
+ 'city' => 'City',
+ 'state' => 'State/Province',
+ 'postal_code' => 'Postal Code',
+ 'country_id' => 'Country',
+ 'contacts' => 'Contacts',
+ 'first_name' => 'First Name',
+ 'last_name' => 'Last Name',
+ 'phone' => 'Phone',
+ 'email' => 'Email',
+ 'additional_info' => 'Additional Info',
+ 'payment_terms' => 'Payment Terms',
+ 'currency_id' => 'Currency',
+ 'size_id' => 'Company Size',
+ 'industry_id' => 'Industry',
+ 'private_notes' => 'Private Notes',
+ 'invoice' => 'Invoice',
+ 'client' => 'Client',
+ 'invoice_date' => 'Invoice Date',
+ 'due_date' => 'Due Date',
+ 'invoice_number' => 'Invoice Number',
+ 'invoice_number_short' => 'Invoice #',
+ 'po_number' => 'PO Number',
+ 'po_number_short' => 'PO #',
+ 'frequency_id' => 'How Often',
+ 'discount' => 'Discount',
+ 'taxes' => 'Taxes',
+ 'tax' => 'Tax',
+ 'item' => 'Item',
+ 'description' => 'Description',
+ 'unit_cost' => 'Unit Cost',
+ 'quantity' => 'Quantity',
+ 'line_total' => 'Line Total',
+ 'subtotal' => 'Subtotal',
+ 'paid_to_date' => 'Paid to Date',
+ 'balance_due' => 'Balance Due',
+ 'invoice_design_id' => 'Design',
+ 'terms' => 'Terms',
+ 'your_invoice' => 'Your Invoice',
+ 'remove_contact' => 'Remove contact',
+ 'add_contact' => 'Add contact',
+ 'create_new_client' => 'Create new client',
+ 'edit_client_details' => 'Edit client details',
+ 'enable' => 'Enable',
+ 'learn_more' => 'Learn more',
+ 'manage_rates' => 'Manage rates',
+ 'note_to_client' => 'Note to Client',
+ 'invoice_terms' => 'Invoice Terms',
+ 'save_as_default_terms' => 'Save as default terms',
+ 'download_pdf' => 'Download PDF',
+ 'pay_now' => 'Pay Now',
+ 'save_invoice' => 'Save Invoice',
+ 'clone_invoice' => 'Clone To Invoice',
+ 'archive_invoice' => 'Archive Invoice',
+ 'delete_invoice' => 'Delete Invoice',
+ 'email_invoice' => 'Email Invoice',
+ 'enter_payment' => 'Enter Payment',
+ 'tax_rates' => 'Tax Rates',
+ 'rate' => 'Rate',
+ 'settings' => 'Settings',
+ 'enable_invoice_tax' => 'Enable specifying an invoice tax',
+ 'enable_line_item_tax' => 'Enable specifying line item taxes',
+ 'dashboard' => 'Dashboard',
+ 'clients' => 'Clients',
+ 'invoices' => 'Invoices',
+ 'payments' => 'Payments',
+ 'credits' => 'Credits',
+ 'history' => 'History',
+ 'search' => 'Search',
+ 'sign_up' => 'Sign Up',
+ 'guest' => 'Guest',
+ 'company_details' => 'Company Details',
+ 'online_payments' => 'Online Payments',
+ 'notifications' => 'Notifications',
+ 'import_export' => 'Import | Export',
+ 'done' => 'Done',
+ 'save' => 'Save',
+ 'create' => 'Create',
+ 'upload' => 'Upload',
+ 'import' => 'Import',
+ 'download' => 'Download',
+ 'cancel' => 'Cancel',
+ 'close' => 'Close',
+ 'provide_email' => 'Please provide a valid email address',
+ 'powered_by' => 'Powered by',
+ 'no_items' => 'No items',
+ 'recurring_invoices' => 'Recurring Invoices',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'in total revenue',
+ 'billed_client' => 'billed client',
+ 'billed_clients' => 'billed clients',
+ 'active_client' => 'active client',
+ 'active_clients' => 'active clients',
+ 'invoices_past_due' => 'Invoices Past Due',
+ 'upcoming_invoices' => 'Upcoming Invoices',
+ 'average_invoice' => 'Average Invoice',
+ 'archive' => 'Archive',
+ 'delete' => 'Delete',
+ 'archive_client' => 'Archive Client',
+ 'delete_client' => 'Delete Client',
+ 'archive_payment' => 'Archive Payment',
+ 'delete_payment' => 'Delete Payment',
+ 'archive_credit' => 'Archive Credit',
+ 'delete_credit' => 'Delete Credit',
+ 'show_archived_deleted' => 'Show archived/deleted',
+ 'filter' => 'Filter',
+ 'new_client' => 'New Client',
+ 'new_invoice' => 'New Invoice',
+ 'new_payment' => 'Enter Payment',
+ 'new_credit' => 'Enter Credit',
+ 'contact' => 'Contact',
+ 'date_created' => 'Date Created',
+ 'last_login' => 'Last Login',
+ 'balance' => 'Balance',
+ 'action' => 'Action',
+ 'status' => 'Status',
+ 'invoice_total' => 'Invoice Total',
+ 'frequency' => 'Frequency',
+ 'start_date' => 'Start Date',
+ 'end_date' => 'End Date',
+ 'transaction_reference' => 'Transaction Reference',
+ 'method' => 'Method',
+ 'payment_amount' => 'Payment Amount',
+ 'payment_date' => 'Payment Date',
+ 'credit_amount' => 'Credit Amount',
+ 'credit_balance' => 'Credit Balance',
+ 'credit_date' => 'Credit Date',
+ 'empty_table' => 'No data available in table',
+ 'select' => 'Select',
+ 'edit_client' => 'Edit Client',
+ 'edit_invoice' => 'Edit Invoice',
+ 'create_invoice' => 'Create Invoice',
+ 'enter_credit' => 'Enter Credit',
+ 'last_logged_in' => 'Last logged in',
+ 'details' => 'Details',
+ 'standing' => 'Standing',
+ 'credit' => 'Credit',
+ 'activity' => 'Activity',
+ 'date' => 'Date',
+ 'message' => 'Message',
+ 'adjustment' => 'Adjustment',
+ 'are_you_sure' => 'Are you sure?',
+ 'payment_type_id' => 'Payment Type',
+ 'amount' => 'Amount',
+ 'work_email' => 'Email',
+ 'language_id' => 'Language',
+ 'timezone_id' => 'Timezone',
+ 'date_format_id' => 'Date Format',
+ 'datetime_format_id' => 'Date/Time Format',
+ 'users' => 'Users',
+ 'localization' => 'Localization',
+ 'remove_logo' => 'Remove logo',
+ 'logo_help' => 'Supported: JPEG, GIF and PNG',
+ 'payment_gateway' => 'Payment Gateway',
+ 'gateway_id' => 'Gateway',
+ 'email_notifications' => 'Email Notifications',
+ 'email_sent' => 'Email me when an invoice is sent',
+ 'email_viewed' => 'Email me when an invoice is viewed',
+ 'email_paid' => 'Email me when an invoice is paid',
+ 'site_updates' => 'Site Updates',
+ 'custom_messages' => 'Custom Messages',
+ 'default_email_footer' => 'Set default email signature',
+ 'select_file' => 'Please select a file',
+ 'first_row_headers' => 'Use first row as headers',
+ 'column' => 'Column',
+ 'sample' => 'Sample',
+ 'import_to' => 'Import to',
+ 'client_will_create' => 'client will be created',
+ 'clients_will_create' => 'clients will be created',
+ 'email_settings' => 'Email Settings',
+ 'client_view_styling' => 'Client View Styling',
+ 'pdf_email_attachment' => 'Attach PDF',
+ 'custom_css' => 'Custom CSS',
+ 'import_clients' => 'Import Client Data',
+ 'csv_file' => 'CSV file',
+ 'export_clients' => 'Export Client Data',
+ 'created_client' => 'Successfully created client',
+ 'created_clients' => 'Successfully created :count client(s)',
+ 'updated_settings' => 'Successfully updated settings',
+ 'removed_logo' => 'Successfully removed logo',
+ 'sent_message' => 'Successfully sent message',
+ 'invoice_error' => 'Please make sure to select a client and correct any errors',
+ 'limit_clients' => 'Sorry, this will exceed the limit of :count clients',
+ 'payment_error' => 'There was an error processing your payment. Please try again later.',
+ 'registration_required' => 'Please sign up to email an invoice',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Successfully updated client',
+ 'created_client' => 'Successfully created client',
+ 'archived_client' => 'Successfully archived client',
+ 'archived_clients' => 'Successfully archived :count clients',
+ 'deleted_client' => 'Successfully deleted client',
+ 'deleted_clients' => 'Successfully deleted :count clients',
+ 'updated_invoice' => 'Successfully updated invoice',
+ 'created_invoice' => 'Successfully created invoice',
+ 'cloned_invoice' => 'Successfully cloned invoice',
+ 'emailed_invoice' => 'Successfully emailed invoice',
+ 'and_created_client' => 'and created client',
+ 'archived_invoice' => 'Successfully archived invoice',
+ 'archived_invoices' => 'Successfully archived :count invoices',
+ 'deleted_invoice' => 'Successfully deleted invoice',
+ 'deleted_invoices' => 'Successfully deleted :count invoices',
+ 'created_payment' => 'Successfully created payment',
+ 'created_payments' => 'Successfully created :count payment(s)',
+ 'archived_payment' => 'Successfully archived payment',
+ 'archived_payments' => 'Successfully archived :count payments',
+ 'deleted_payment' => 'Successfully deleted payment',
+ 'deleted_payments' => 'Successfully deleted :count payments',
+ 'applied_payment' => 'Successfully applied payment',
+ 'created_credit' => 'Successfully created credit',
+ 'archived_credit' => 'Successfully archived credit',
+ 'archived_credits' => 'Successfully archived :count credits',
+ 'deleted_credit' => 'Successfully deleted credit',
+ 'deleted_credits' => 'Successfully deleted :count credits',
+ 'imported_file' => 'Successfully imported file',
+ 'updated_vendor' => 'Successfully updated vendor',
+ 'created_vendor' => 'Successfully created vendor',
+ 'archived_vendor' => 'Successfully archived vendor',
+ 'archived_vendors' => 'Successfully archived :count vendors',
+ 'deleted_vendor' => 'Successfully deleted vendor',
+ 'deleted_vendors' => 'Successfully deleted :count vendors',
+ 'confirmation_subject' => 'Invoice Ninja Account Confirmation',
+ 'confirmation_header' => 'Account Confirmation',
+ 'confirmation_message' => 'Please access the link below to confirm your account.',
+ 'invoice_subject' => 'New invoice :number from :account',
+ 'invoice_message' => 'To view your invoice for :amount, click the link below.',
+ 'payment_subject' => 'Payment Received',
+ 'payment_message' => 'Thank you for your payment of :amount.',
+ 'email_salutation' => 'Dear :name,',
+ 'email_signature' => 'Regards,',
+ 'email_from' => 'The Invoice Ninja Team',
+ 'invoice_link_message' => 'To view the invoice click the link below:',
+ 'notification_invoice_paid_subject' => 'Invoice :invoice was paid by :client',
+ 'notification_invoice_sent_subject' => 'Invoice :invoice was sent to :client',
+ 'notification_invoice_viewed_subject' => 'Invoice :invoice was viewed by :client',
+ 'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
+ 'notification_invoice_sent' => 'The following client :client was emailed Invoice :invoice for :amount.',
+ 'notification_invoice_viewed' => 'The following client :client viewed Invoice :invoice for :amount.',
+ 'reset_password' => 'You can reset your account password by clicking the following button:',
+ 'secure_payment' => 'Secure Payment',
+ 'card_number' => 'Card Number',
+ 'expiration_month' => 'Expiration Month',
+ 'expiration_year' => 'Expiration Year',
+ 'cvv' => 'CVV',
+ 'logout' => 'Log Out',
+ 'sign_up_to_save' => 'Sign up to save your work',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Terms of Service',
+ 'email_taken' => 'The email address is already registered',
+ 'working' => 'Working',
+ 'success' => 'Success',
+ 'success_message' => 'You have successfully registered! Please visit the link in the account confirmation email to verify your email address.',
+ 'erase_data' => 'Your account is not registered, this will permanently erase your data.',
+ 'password' => 'Password',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'Thanks for choosing Invoice Ninja\'s Pro plan!
+ Next StepsA 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',
+ 'unsaved_changes' => 'You have unsaved changes',
+ 'custom_fields' => 'Custom Fields',
+ 'company_fields' => 'Company Fields',
+ 'client_fields' => 'Client Fields',
+ 'field_label' => 'Field Label',
+ 'field_value' => 'Field Value',
+ 'edit' => 'Edit',
+ 'set_name' => 'Set your company name',
+ 'view_as_recipient' => 'View as recipient',
+ 'product_library' => 'Product Library',
+ 'product' => 'Product',
+ 'products' => 'Products',
+ 'fill_products' => 'Auto-fill products',
+ 'fill_products_help' => 'Selecting a product will automatically fill in the description and cost',
+ 'update_products' => 'Auto-update products',
+ 'update_products_help' => 'Updating an invoice will automatically update the product library',
+ 'create_product' => 'Add Product',
+ 'edit_product' => 'Edit Product',
+ 'archive_product' => 'Archive Product',
+ 'updated_product' => 'Successfully updated product',
+ 'created_product' => 'Successfully created product',
+ 'archived_product' => 'Successfully archived product',
+ 'pro_plan_custom_fields' => ':link to enable custom fields by joining the Pro Plan',
+ 'advanced_settings' => 'Advanced Settings',
+ 'pro_plan_advanced_settings' => ':link to enable the advanced settings by joining the Pro Plan',
+ 'invoice_design' => 'Invoice Design',
+ 'specify_colors' => 'Specify colors',
+ 'specify_colors_label' => 'Select the colors used in the invoice',
+ 'chart_builder' => 'Chart Builder',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Go Pro',
+ 'quote' => 'Quote',
+ 'quotes' => 'Quotes',
+ 'quote_number' => 'Quote Number',
+ 'quote_number_short' => 'Quote #',
+ 'quote_date' => 'Quote Date',
+ 'quote_total' => 'Quote Total',
+ 'your_quote' => 'Your Quote',
+ 'total' => 'Total',
+ 'clone' => 'Clone',
+ 'new_quote' => 'New Quote',
+ 'create_quote' => 'Create Quote',
+ 'edit_quote' => 'Edit Quote',
+ 'archive_quote' => 'Archive Quote',
+ 'delete_quote' => 'Delete Quote',
+ 'save_quote' => 'Save Quote',
+ 'email_quote' => 'Email Quote',
+ 'clone_quote' => 'Clone To Quote',
+ 'convert_to_invoice' => 'Convert to Invoice',
+ 'view_invoice' => 'View Invoice',
+ 'view_client' => 'View Client',
+ 'view_quote' => 'View Quote',
+ 'updated_quote' => 'Successfully updated quote',
+ 'created_quote' => 'Successfully created quote',
+ 'cloned_quote' => 'Successfully cloned quote',
+ 'emailed_quote' => 'Successfully emailed quote',
+ 'archived_quote' => 'Successfully archived quote',
+ 'archived_quotes' => 'Successfully archived :count quotes',
+ 'deleted_quote' => 'Successfully deleted quote',
+ 'deleted_quotes' => 'Successfully deleted :count quotes',
+ 'converted_to_invoice' => 'Successfully converted quote to invoice',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'To view your quote for :amount, click the link below.',
+ 'quote_link_message' => 'To view your client quote click the link below:',
+ 'notification_quote_sent_subject' => 'Quote :invoice was sent to :client',
+ 'notification_quote_viewed_subject' => 'Quote :invoice was viewed by :client',
+ 'notification_quote_sent' => 'The following client :client was emailed Quote :invoice for :amount.',
+ 'notification_quote_viewed' => 'The following client :client viewed Quote :invoice for :amount.',
+ 'session_expired' => 'Your session has expired.',
+ 'invoice_fields' => 'Invoice Fields',
+ 'invoice_options' => 'Invoice Options',
+ 'hide_paid_to_date' => 'Hide Paid to Date',
+ 'hide_paid_to_date_help' => 'Only display the "Paid to Date" area on your invoices once a payment has been received.',
+ 'charge_taxes' => 'Charge taxes',
+ 'user_management' => 'User Management',
+ 'add_user' => 'Add User',
+ 'send_invite' => 'Send Invitation',
+ 'sent_invite' => 'Successfully sent invitation',
+ 'updated_user' => 'Successfully updated user',
+ 'invitation_message' => 'You\'ve been invited by :invitor. ',
+ 'register_to_add_user' => 'Please sign up to add a user',
+ 'user_state' => 'State',
+ 'edit_user' => 'Edit User',
+ 'delete_user' => 'Delete User',
+ 'active' => 'Active',
+ 'pending' => 'Pending',
+ 'deleted_user' => 'Successfully deleted user',
+ 'confirm_email_invoice' => 'Are you sure you want to email this invoice?',
+ 'confirm_email_quote' => 'Are you sure you want to email this quote?',
+ 'confirm_recurring_email_invoice' => 'Are you sure you want this invoice emailed?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Delete Account',
+ 'cancel_account_message' => 'Warning: This will permanently delete your account, there is no undo.',
+ 'go_back' => 'Go Back',
+ 'data_visualizations' => 'Data Visualizations',
+ 'sample_data' => 'Sample data shown',
+ 'hide' => 'Hide',
+ 'new_version_available' => 'A new version of :releases_link is available. You\'re running v:user_version, the latest is v:latest_version',
+ 'invoice_settings' => 'Invoice Settings',
+ 'invoice_number_prefix' => 'Invoice Number Prefix',
+ 'invoice_number_counter' => 'Invoice Number Counter',
+ 'quote_number_prefix' => 'Quote Number Prefix',
+ 'quote_number_counter' => 'Quote Number Counter',
+ 'share_invoice_counter' => 'Share invoice counter',
+ 'invoice_issued_to' => 'Invoice issued to',
+ 'invalid_counter' => 'To prevent a possible conflict please set either an invoice or quote number prefix',
+ 'mark_sent' => 'Mark Sent',
+ 'gateway_help_1' => ':link to sign up for Authorize.net.',
+ 'gateway_help_2' => ':link to sign up for Authorize.net.',
+ 'gateway_help_17' => ':link to get your PayPal API signature.',
+ 'gateway_help_27' => ':link to sign up for 2Checkout.com. To ensure payments are tracked set :complete_link as the redirect URL under Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'More designs',
+ 'more_designs_title' => 'Additional Invoice Designs',
+ 'more_designs_cloud_header' => 'Go Pro for more invoice designs',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Buy',
+ 'bought_designs' => 'Successfully added additional invoice designs',
+ 'sent' => 'Sent',
+ 'vat_number' => 'VAT Number',
+ 'timesheets' => 'Timesheets',
+ 'payment_title' => 'Enter Your Billing Address and Credit Card information',
+ 'payment_cvv' => '*This is the 3-4 digit number onthe back of your card',
+ 'payment_footer1' => '*Billing address must match address associated with credit card.',
+ 'payment_footer2' => '*Please click "PAY NOW" only once - transaction may take up to 1 minute to process.',
+ 'id_number' => 'ID Number',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'Successfully enabled white label license',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Restore',
+ 'restore_invoice' => 'Restore Invoice',
+ 'restore_quote' => 'Restore Quote',
+ 'restore_client' => 'Restore Client',
+ 'restore_credit' => 'Restore Credit',
+ 'restore_payment' => 'Restore Payment',
+ 'restored_invoice' => 'Successfully restored invoice',
+ 'restored_quote' => 'Successfully restored quote',
+ 'restored_client' => 'Successfully restored client',
+ 'restored_payment' => 'Successfully restored payment',
+ 'restored_credit' => 'Successfully restored credit',
+ 'reason_for_canceling' => 'Help us improve our site by telling us why you\'re leaving.',
+ 'discount_percent' => 'Percent',
+ 'discount_amount' => 'Amount',
+ 'invoice_history' => 'Invoice History',
+ 'quote_history' => 'Quote History',
+ 'current_version' => 'Current version',
+ 'select_version' => 'Select version',
+ 'view_history' => 'View History',
+ 'edit_payment' => 'Edit Payment',
+ 'updated_payment' => 'Successfully updated payment',
+ 'deleted' => 'Deleted',
+ 'restore_user' => 'Restore User',
+ 'restored_user' => 'Successfully restored user',
+ 'show_deleted_users' => 'Show deleted users',
+ 'email_templates' => 'Email Templates',
+ 'invoice_email' => 'Invoice Email',
+ 'payment_email' => 'Payment Email',
+ 'quote_email' => 'Quote Email',
+ 'reset_all' => 'Reset All',
+ 'approve' => 'Approve',
+ 'token_billing_type_id' => 'Token Billing',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Disabled',
+ 'token_billing_2' => 'Opt-in - checkbox is shown but not selected',
+ 'token_billing_3' => 'Opt-out - checkbox is shown and selected',
+ 'token_billing_4' => 'Always',
+ 'token_billing_checkbox' => 'Store credit card details',
+ 'view_in_gateway' => 'View in :gateway',
+ 'use_card_on_file' => 'Use Card on File',
+ 'edit_payment_details' => 'Edit payment details',
+ 'token_billing' => 'Save card details',
+ 'token_billing_secure' => 'The data is stored securely by :link',
+ 'support' => 'Support',
+ 'contact_information' => 'Contact Information',
+ '256_encryption' => '256-Bit Encryption',
+ 'amount_due' => 'Amount due',
+ 'billing_address' => 'Billing Address',
+ 'billing_method' => 'Billing Method',
+ 'order_overview' => 'Order overview',
+ 'match_address' => '*Address must match address associated with credit card.',
+ 'click_once' => '*Please click "PAY NOW" only once - transaction may take up to 1 minute to process.',
+ 'invoice_footer' => 'Invoice Footer',
+ 'save_as_default_footer' => 'Save as default footer',
+ 'token_management' => 'Token Management',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Add Token',
+ 'show_deleted_tokens' => 'Show deleted tokens',
+ 'deleted_token' => 'Successfully deleted token',
+ 'created_token' => 'Successfully created token',
+ 'updated_token' => 'Successfully updated token',
+ 'edit_token' => 'Edit Token',
+ 'delete_token' => 'Delete Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Add Gateway',
+ 'delete_gateway' => 'Delete Gateway',
+ 'edit_gateway' => 'Edit Gateway',
+ 'updated_gateway' => 'Successfully updated gateway',
+ 'created_gateway' => 'Successfully created gateway',
+ 'deleted_gateway' => 'Successfully deleted gateway',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Credit Card',
+ 'change_password' => 'Change password',
+ 'current_password' => 'Current password',
+ 'new_password' => 'New password',
+ 'confirm_password' => 'Confirm password',
+ 'password_error_incorrect' => 'The current password is incorrect.',
+ 'password_error_invalid' => 'The new password is invalid.',
+ 'updated_password' => 'Successfully updated password',
+ 'api_tokens' => 'API Tokens',
+ 'users_and_tokens' => 'Users & Tokens',
+ 'account_login' => 'Account Login',
+ 'recover_password' => 'Recover your password',
+ 'forgot_password' => 'Forgot your password?',
+ 'email_address' => 'Email address',
+ 'lets_go' => 'Let\'s go',
+ 'password_recovery' => 'Password Recovery',
+ 'send_email' => 'Send Email',
+ 'set_password' => 'Set Password',
+ 'converted' => 'Converted',
+ 'email_approved' => 'Email me when a quote is approved',
+ 'notification_quote_approved_subject' => 'Quote :invoice was approved by :client',
+ 'notification_quote_approved' => 'The following client :client approved Quote :invoice for :amount.',
+ 'resend_confirmation' => 'Resend confirmation email',
+ 'confirmation_resent' => 'The confirmation email was resent',
+ 'gateway_help_42' => ':link to sign up for BitPay.
Note: use a Legacy API Key, not an API token.',
+ 'payment_type_credit_card' => 'Credit Card',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Knowledge Base',
+ 'partial' => 'Partial/Deposit',
+ 'partial_remaining' => ':partial of :balance',
+ 'more_fields' => 'More Fields',
+ 'less_fields' => 'Less Fields',
+ 'client_name' => 'Client Name',
+ 'pdf_settings' => 'PDF Settings',
+ 'product_settings' => 'Product Settings',
+ 'auto_wrap' => 'Auto Line Wrap',
+ 'duplicate_post' => 'Warning: the previous page was submitted twice. The second submission had been ignored.',
+ 'view_documentation' => 'View Documentation',
+ 'app_title' => 'Free Open-Source Online Invoicing',
+ 'app_description' => 'Invoice Ninja is a free, open-source solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.',
+ 'rows' => 'rows',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdomain',
+ 'provide_name_or_email' => 'Please provide a name or email',
+ 'charts_and_reports' => 'Charts & Reports',
+ 'chart' => 'Chart',
+ 'report' => 'Report',
+ 'group_by' => 'Group by',
+ 'paid' => 'Paid',
+ 'enable_report' => 'Report',
+ 'enable_chart' => 'Chart',
+ 'totals' => 'Totals',
+ 'run' => 'Run',
+ 'export' => 'Export',
+ 'documentation' => 'Documentation',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Recurring',
+ 'last_invoice_sent' => 'Last invoice sent :date',
+ 'processed_updates' => 'Successfully completed update',
+ 'tasks' => 'Tasks',
+ 'new_task' => 'New Task',
+ 'start_time' => 'Start Time',
+ 'created_task' => 'Successfully created task',
+ 'updated_task' => 'Successfully updated task',
+ 'edit_task' => 'Edit Task',
+ 'archive_task' => 'Archive Task',
+ 'restore_task' => 'Restore Task',
+ 'delete_task' => 'Delete Task',
+ 'stop_task' => 'Stop Task',
+ 'time' => 'Time',
+ 'start' => 'Start',
+ 'stop' => 'Stop',
+ 'now' => 'Now',
+ 'timer' => 'Timer',
+ 'manual' => 'Manual',
+ 'date_and_time' => 'Date & Time',
+ 'second' => 'Second',
+ 'seconds' => 'Seconds',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minutes',
+ 'hour' => 'Hour',
+ 'hours' => 'Hours',
+ 'task_details' => 'Task Details',
+ 'duration' => 'Duration',
+ 'time_log'=> 'Time Log',
+ 'end_time' => 'End Time',
+ 'end' => 'End',
+ 'invoiced' => 'Invoiced',
+ 'logged' => 'Logged',
+ 'running' => 'Running',
+ 'task_error_multiple_clients' => 'The tasks can\'t belong to different clients',
+ 'task_error_running' => 'Please stop running tasks first',
+ 'task_error_invoiced' => 'Tasks have already been invoiced',
+ 'restored_task' => 'Successfully restored task',
+ 'archived_task' => 'Successfully archived task',
+ 'archived_tasks' => 'Successfully archived :count tasks',
+ 'deleted_task' => 'Successfully deleted task',
+ 'deleted_tasks' => 'Successfully deleted :count tasks',
+ 'create_task' => 'Create Task',
+ 'stopped_task' => 'Successfully stopped task',
+ 'invoice_task' => 'Invoice Task',
+ 'invoice_labels' => 'Invoice Labels',
+ 'prefix' => 'Prefix',
+ 'counter' => 'Counter',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link to sign up for Dwolla',
+ 'partial_value' => 'Must be greater than zero and less than the total',
+ 'more_actions' => 'More Actions',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Upgrade Now!',
+ 'pro_plan_feature1' => 'Create Unlimited Clients',
+ 'pro_plan_feature2' => 'Access to 10 Beautiful Invoice Designs',
+ 'pro_plan_feature3' => 'Custom URLs - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Remove "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Multi-user Access & Activity Tracking',
+ 'pro_plan_feature6' => 'Create Quotes & Pro-forma Invoices',
+ 'pro_plan_feature7' => 'Customize Invoice Field Titles & Numbering',
+ 'pro_plan_feature8' => 'Option to Attach PDFs to Client Emails',
+ 'resume' => 'Resume',
+ 'break_duration' => 'Break',
+ 'edit_details' => 'Edit Details',
+ 'work' => 'Work',
+ 'timezone_unset' => 'Please :link to set your timezone',
+ 'click_here' => 'click here',
+ 'email_receipt' => 'Email payment receipt to the client',
+ 'created_payment_emailed_client' => 'Successfully created payment and emailed client',
+ 'add_company' => 'Add Company',
+ 'untitled' => 'Untitled',
+ 'new_company' => 'New Company',
+ 'associated_accounts' => 'Successfully linked accounts',
+ 'unlinked_account' => 'Successfully unlinked accounts',
+ 'login' => 'Login',
+ 'or' => 'or',
+ 'email_error' => 'There was a problem sending the email',
+ 'confirm_recurring_timing' => 'Note: emails are sent at the start of the hour.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Sets the default invoice due date',
+ 'unlink_account' => 'Unlink Account',
+ 'unlink' => 'Unlink',
+ 'show_address' => 'Show Address',
+ 'show_address_help' => 'Require client to provide their billing address',
+ 'update_address' => 'Update Address',
+ 'update_address_help' => 'Update client\'s address with provided details',
+ 'times' => 'Times',
+ 'set_now' => 'Set to now',
+ 'dark_mode' => 'Dark Mode',
+ 'dark_mode_help' => 'Use a dark background for the sidebars',
+ 'add_to_invoice' => 'Add to invoice :invoice',
+ 'create_new_invoice' => 'Create new invoice',
+ 'task_errors' => 'Please correct any overlapping times',
+ 'from' => 'From',
+ 'to' => 'To',
+ 'font_size' => 'Font Size',
+ 'primary_color' => 'Primary Color',
+ 'secondary_color' => 'Secondary Color',
+ 'customize_design' => 'Customize Design',
+ 'content' => 'Content',
+ 'styles' => 'Styles',
+ 'defaults' => 'Defaults',
+ 'margins' => 'Margins',
+ 'header' => 'Header',
+ 'footer' => 'Footer',
+ 'custom' => 'Custom',
+ 'invoice_to' => 'Invoice to',
+ 'invoice_no' => 'Invoice No.',
+ 'quote_no' => 'Quote No.',
+ 'recent_payments' => 'Recent Payments',
+ 'outstanding' => 'Outstanding',
+ 'manage_companies' => 'Manage Companies',
+ 'total_revenue' => 'Total Revenue',
+ 'current_user' => 'Current User',
+ 'new_recurring_invoice' => 'New Recurring Invoice',
+ 'recurring_invoice' => 'Recurring Invoice',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'It\'s too soon to create the next recurring invoice, it\'s scheduled for :date',
+ 'created_by_invoice' => 'Created by :invoice',
+ 'primary_user' => 'Primary User',
+ 'help' => 'Help',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Due Date',
+ 'quote_due_date' => 'Valid Until',
+ 'valid_until' => 'Valid Until',
+ 'reset_terms' => 'Reset terms',
+ 'reset_footer' => 'Reset footer',
+ 'invoice_sent' => ':count invoice sent',
+ 'invoices_sent' => ':count invoices sent',
+ 'status_draft' => 'Draft',
+ 'status_sent' => 'Sent',
+ 'status_viewed' => 'Viewed',
+ 'status_partial' => 'Partial',
+ 'status_paid' => 'Paid',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Display line item taxes inline',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'Copy the following code to a page on your site.',
+ 'iframe_url_help2' => 'You can test the feature by clicking \'View as recipient\' for an invoice.',
+ 'auto_bill' => 'Auto Bill',
+ 'military_time' => '24 Hour Time',
+ 'last_sent' => 'Last Sent',
+ 'reminder_emails' => 'Reminder Emails',
+ 'templates_and_reminders' => 'Templates & Reminders',
+ 'subject' => 'Subject',
+ 'body' => 'Body',
+ 'first_reminder' => 'First Reminder',
+ 'second_reminder' => 'Second Reminder',
+ 'third_reminder' => 'Third Reminder',
+ 'num_days_reminder' => 'Days after due date',
+ 'reminder_subject' => 'Reminder: Invoice :invoice from :account',
+ 'reset' => 'Reset',
+ 'invoice_not_found' => 'The requested invoice is not available',
+ 'referral_program' => 'Referral Program',
+ 'referral_code' => 'Referral URL',
+ 'last_sent_on' => 'Sent Last: :date',
+ 'page_expire' => 'This page will expire soon, :click_here to keep working',
+ 'upcoming_quotes' => 'Upcoming Quotes',
+ 'expired_quotes' => 'Expired Quotes',
+ 'sign_up_using' => 'Sign up using',
+ 'invalid_credentials' => 'These credentials do not match our records',
+ 'show_all_options' => 'Show all options',
+ 'user_details' => 'User Details',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Disable',
+ 'invoice_quote_number' => 'Invoice and Quote Numbers',
+ 'invoice_charges' => 'Invoice Surcharges',
+ 'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact.',
+ 'notification_invoice_bounced_subject' => 'Unable to deliver Invoice :invoice',
+ 'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact.',
+ 'notification_quote_bounced_subject' => 'Unable to deliver Quote :invoice',
+ 'custom_invoice_link' => 'Custom Invoice Link',
+ 'total_invoiced' => 'Total Invoiced',
+ 'open_balance' => 'Open Balance',
+ 'verify_email' => 'Please visit the link in the account confirmation email to verify your email address.',
+ 'basic_settings' => 'Basic Settings',
+ 'pro' => 'Pro',
+ 'gateways' => 'Payment Gateways',
+ 'next_send_on' => 'Send Next: :date',
+ 'no_longer_running' => 'This invoice is not scheduled to run',
+ 'general_settings' => 'General Settings',
+ 'customize' => 'Customize',
+ 'oneclick_login_help' => 'Connect an account to login without a password',
+ 'referral_code_help' => 'Earn money by sharing our app online',
+ 'enable_with_stripe' => 'Enable | Requires Stripe',
+ 'tax_settings' => 'Tax Settings',
+ 'create_tax_rate' => 'Add Tax Rate',
+ 'updated_tax_rate' => 'Successfully updated tax rate',
+ 'created_tax_rate' => 'Successfully created tax rate',
+ 'edit_tax_rate' => 'Edit tax rate',
+ 'archive_tax_rate' => 'Archive Tax Rate',
+ 'archived_tax_rate' => 'Successfully archived the tax rate',
+ 'default_tax_rate_id' => 'Default Tax Rate',
+ 'tax_rate' => 'Tax Rate',
+ 'recurring_hour' => 'Recurring Hour',
+ 'pattern' => 'Pattern',
+ 'pattern_help_title' => 'Pattern Help',
+ 'pattern_help_1' => 'Create custom numbers by specifying a pattern',
+ 'pattern_help_2' => 'Available variables:',
+ 'pattern_help_3' => 'For example, :example would be converted to :value',
+ 'see_options' => 'See options',
+ 'invoice_counter' => 'Invoice Counter',
+ 'quote_counter' => 'Quote Counter',
+ 'type' => 'Type',
+ 'activity_1' => ':user created client :client',
+ 'activity_2' => ':user archived client :client',
+ 'activity_3' => ':user deleted client :client',
+ 'activity_4' => ':user created invoice :invoice',
+ 'activity_5' => ':user updated invoice :invoice',
+ 'activity_6' => ':user emailed invoice :invoice to :contact',
+ 'activity_7' => ':contact viewed invoice :invoice',
+ 'activity_8' => ':user archived invoice :invoice',
+ 'activity_9' => ':user deleted invoice :invoice',
+ 'activity_10' => ':contact entered payment :payment for :invoice',
+ 'activity_11' => ':user updated payment :payment',
+ 'activity_12' => ':user archived payment :payment',
+ 'activity_13' => ':user deleted payment :payment',
+ 'activity_14' => ':user entered :credit credit',
+ 'activity_15' => ':user updated :credit credit',
+ 'activity_16' => ':user archived :credit credit',
+ 'activity_17' => ':user deleted :credit credit',
+ 'activity_18' => ':user created quote :quote',
+ 'activity_19' => ':user updated quote :quote',
+ 'activity_20' => ':user emailed quote :quote to :contact',
+ 'activity_21' => ':contact viewed quote :quote',
+ 'activity_22' => ':user archived quote :quote',
+ 'activity_23' => ':user deleted quote :quote',
+ 'activity_24' => ':user restored quote :quote',
+ 'activity_25' => ':user restored invoice :invoice',
+ 'activity_26' => ':user restored client :client',
+ 'activity_27' => ':user restored payment :payment',
+ 'activity_28' => ':user restored :credit credit',
+ 'activity_29' => ':contact approved quote :quote',
+ 'activity_30' => ':user created vendor :vendor',
+ 'activity_31' => ':user archived vendor :vendor',
+ 'activity_32' => ':user deleted vendor :vendor',
+ 'activity_33' => ':user restored vendor :vendor',
+ 'activity_34' => ':user created expense :expense',
+ 'activity_35' => ':user archived expense :expense',
+ 'activity_36' => ':user deleted expense :expense',
+ 'activity_37' => ':user restored expense :expense',
+ 'activity_42' => ':user created task :task',
+ 'activity_43' => ':user updated task :task',
+ 'activity_44' => ':user archived task :task',
+ 'activity_45' => ':user deleted task :task',
+ 'activity_46' => ':user restored task :task',
+ 'activity_47' => ':user updated expense :expense',
+ 'payment' => 'Payment',
+ 'system' => 'System',
+ 'signature' => 'Email Signature',
+ 'default_messages' => 'Default Messages',
+ 'quote_terms' => 'Quote Terms',
+ 'default_quote_terms' => 'Default Quote Terms',
+ 'default_invoice_terms' => 'Default Invoice Terms',
+ 'default_invoice_footer' => 'Default Invoice Footer',
+ 'quote_footer' => 'Quote Footer',
+ 'free' => 'Free',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Apply Credit',
+ 'system_settings' => 'System Settings',
+ 'archive_token' => 'Archive Token',
+ 'archived_token' => 'Successfully archived token',
+ 'archive_user' => 'Archive User',
+ 'archived_user' => 'Successfully archived user',
+ 'archive_account_gateway' => 'Archive Gateway',
+ 'archived_account_gateway' => 'Successfully archived gateway',
+ 'archive_recurring_invoice' => 'Archive Recurring Invoice',
+ 'archived_recurring_invoice' => 'Successfully archived recurring invoice',
+ 'delete_recurring_invoice' => 'Delete Recurring Invoice',
+ 'deleted_recurring_invoice' => 'Successfully deleted recurring invoice',
+ 'restore_recurring_invoice' => 'Restore Recurring Invoice',
+ 'restored_recurring_invoice' => 'Successfully restored recurring invoice',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archived',
+ 'untitled_account' => 'Untitled Company',
+ 'before' => 'Before',
+ 'after' => 'After',
+ 'reset_terms_help' => 'Reset to the default account terms',
+ 'reset_footer_help' => 'Reset to the default account footer',
+ 'export_data' => 'Export Data',
+ 'user' => 'User',
+ 'country' => 'Country',
+ 'include' => 'Include',
+ 'logo_too_large' => 'Your logo is :size, for better PDF performance we suggest uploading an image file less than 200KB',
+ 'import_freshbooks' => 'Import From FreshBooks',
+ 'import_data' => 'Import Data',
+ 'source' => 'Source',
+ 'csv' => 'CSV',
+ 'client_file' => 'Client File',
+ 'invoice_file' => 'Invoice File',
+ 'task_file' => 'Task File',
+ 'no_mapper' => 'No valid mapping for file',
+ 'invalid_csv_header' => 'Invalid CSV Header',
+ 'client_portal' => 'Client Portal',
+ 'admin' => 'Admin',
+ 'disabled' => 'Disabled',
+ 'show_archived_users' => 'Show archived users',
+ 'notes' => 'Notes',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => 'invoices will be created',
+ 'failed_to_import' => 'The following records failed to import, they either already exist or are missing required fields.',
+ 'publishable_key' => 'Publishable Key',
+ 'secret_key' => 'Secret Key',
+ 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process',
+ 'email_design' => 'Email Design',
+ 'due_by' => 'Due by :date',
+ 'enable_email_markup' => 'Enable Markup',
+ 'enable_email_markup_help' => 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
+ 'template_help_title' => 'Templates Help',
+ 'template_help_1' => 'Available variables:',
+ 'email_design_id' => 'Email Style',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'Plain',
+ 'light' => 'Light',
+ 'dark' => 'Dark',
+ 'industry_help' => 'Used to provide comparisons against the averages of companies of similar size and industry.',
+ 'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the invoice number.',
+ 'quote_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the quote number.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Add a label and value to the company details section of the PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Add a field when creating an invoice and include the charge in the invoice subtotals.',
+ 'token_expired' => 'Validation token was expired. Please try again.',
+ 'invoice_link' => 'Invoice Link',
+ 'button_confirmation_message' => 'Click to confirm your email address.',
+ 'confirm' => 'Confirm',
+ 'email_preferences' => 'Email Preferences',
+ 'created_invoices' => 'Successfully created :count invoice(s)',
+ 'next_invoice_number' => 'The next invoice number is :number.',
+ 'next_quote_number' => 'The next quote number is :number.',
+ 'days_before' => 'days before the',
+ 'days_after' => 'days after the',
+ 'field_due_date' => 'due date',
+ 'field_invoice_date' => 'invoice date',
+ 'schedule' => 'Schedule',
+ 'email_designs' => 'Email Designs',
+ 'assigned_when_sent' => 'Assigned when sent',
+ 'white_label_purchase_link' => 'Purchase a white label license',
+ 'expense' => 'Expense',
+ 'expenses' => 'Expenses',
+ 'new_expense' => 'Enter Expense',
+ 'enter_expense' => 'Enter Expense',
+ 'vendors' => 'Vendors',
+ 'new_vendor' => 'New Vendor',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Vendor',
+ 'edit_vendor' => 'Edit Vendor',
+ 'archive_vendor' => 'Archive Vendor',
+ 'delete_vendor' => 'Delete Vendor',
+ 'view_vendor' => 'View Vendor',
+ 'deleted_expense' => 'Successfully deleted expense',
+ 'archived_expense' => 'Successfully archived expense',
+ 'deleted_expenses' => 'Successfully deleted expenses',
+ 'archived_expenses' => 'Successfully archived expenses',
+ 'expense_amount' => 'Expense Amount',
+ 'expense_balance' => 'Expense Balance',
+ 'expense_date' => 'Expense Date',
+ 'expense_should_be_invoiced' => 'Should this expense be invoiced?',
+ 'public_notes' => 'Public Notes',
+ 'invoice_amount' => 'Invoice Amount',
+ 'exchange_rate' => 'Exchange Rate',
+ 'yes' => 'Yes',
+ 'no' => 'No',
+ 'should_be_invoiced' => 'Should be invoiced',
+ 'view_expense' => 'View expense # :expense',
+ 'edit_expense' => 'Edit Expense',
+ 'archive_expense' => 'Archive Expense',
+ 'delete_expense' => 'Delete Expense',
+ 'view_expense_num' => 'Expense # :expense',
+ 'updated_expense' => 'Successfully updated expense',
+ 'created_expense' => 'Successfully created expense',
+ 'enter_expense' => 'Enter Expense',
+ 'view' => 'View',
+ 'restore_expense' => 'Restore Expense',
+ 'invoice_expense' => 'Invoice Expense',
+ 'expense_error_multiple_clients' => 'The expenses can\'t belong to different clients',
+ 'expense_error_invoiced' => 'Expense has already been invoiced',
+ 'convert_currency' => 'Convert currency',
+ 'num_days' => 'Number of Days',
+ 'create_payment_term' => 'Create Payment Term',
+ 'edit_payment_terms' => 'Edit Payment Term',
+ 'edit_payment_term' => 'Edit Payment Term',
+ 'archive_payment_term' => 'Archive Payment Term',
+ 'recurring_due_dates' => 'Recurring Invoice Due Dates',
+ '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.
+
+
',
+ 'due' => 'Due',
+ 'next_due_on' => 'Due Next: :date',
+ 'use_client_terms' => 'Use client terms',
+ 'day_of_month' => ':ordinal day of month',
+ 'last_day_of_month' => 'Last day of month',
+ 'day_of_week_after' => ':ordinal :day after',
+ 'sunday' => 'Sunday',
+ 'monday' => 'Monday',
+ 'tuesday' => 'Tuesday',
+ 'wednesday' => 'Wednesday',
+ 'thursday' => 'Thursday',
+ 'friday' => 'Friday',
+ 'saturday' => 'Saturday',
+ 'header_font_id' => 'Header Font',
+ 'body_font_id' => 'Body Font',
+ 'color_font_help' => 'Note: the primary color and fonts are also used in the client portal and custom email designs.',
+ 'live_preview' => 'Live Preview',
+ 'invalid_mail_config' => 'Unable to send email, please check that the mail settings are correct.',
+ 'invoice_message_button' => 'To view your invoice for :amount, click the button below.',
+ 'quote_message_button' => 'To view your quote for :amount, click the button below.',
+ 'payment_message_button' => 'Thank you for your payment of :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Credit Cards & Banks',
+ 'add_bank_account' => 'Add Bank Account',
+ 'setup_account' => 'Setup Account',
+ 'import_expenses' => 'Import Expenses',
+ 'bank_id' => 'Bank',
+ 'integration_type' => 'Integration Type',
+ 'updated_bank_account' => 'Successfully updated bank account',
+ 'edit_bank_account' => 'Edit Bank Account',
+ 'archive_bank_account' => 'Archive Bank Account',
+ 'archived_bank_account' => 'Successfully archived bank account',
+ 'created_bank_account' => 'Successfully created bank account',
+ 'validate_bank_account' => 'Validate Bank Account',
+ 'bank_password_help' => 'Note: your password is transmitted securely and never stored on our servers.',
+ 'bank_password_warning' => 'Warning: your password may be transmitted in plain text, consider enabling HTTPS.',
+ 'username' => 'Username',
+ 'account_number' => 'Account Number',
+ 'account_name' => 'Account Name',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Approved',
+ 'quote_settings' => 'Quote Settings',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved by a client.',
+ 'validate' => 'Validate',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Successfully created :count_vendors vendor(s) and :count_expenses expense(s)',
+ 'iframe_url_help3' => 'Note: if you plan on accepting credit cards details we strongly recommend enabling HTTPS on your site.',
+ 'expense_error_multiple_currencies' => 'The expenses can\'t have different currencies.',
+ 'expense_error_mismatch_currencies' => 'The client\'s currency does not match the expense currency.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'First page',
+ 'all_pages' => 'All pages',
+ 'last_page' => 'Last page',
+ 'all_pages_header' => 'Show Header on',
+ 'all_pages_footer' => 'Show Footer on',
+ 'invoice_currency' => 'Invoice Currency',
+ 'enable_https' => 'We strongly recommend using HTTPS to accept credit card details online.',
+ 'quote_issued_to' => 'Quote issued to',
+ 'show_currency_code' => 'Currency Code',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Your account will receive a free two week trial of our pro plan.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Start Free Trial',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Overdue',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'To adjust your email notification settings please visit :link',
+ 'reset_password_footer' => 'If you did not request this password reset please email our support: :email',
+ 'limit_users' => 'Sorry, this will exceed the limit of :limit users',
+ 'more_designs_self_host_header' => 'Get 6 more invoice designs for just $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link to remove the Invoice Ninja logo by joining the Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Click here',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'Viewed',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Emails can not be sent to inactive invoices',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'List Invoices',
+ 'list_clients' => 'List Clients',
+ 'list_quotes' => 'List Quotes',
+ 'list_tasks' => 'List Tasks',
+ 'list_expenses' => 'List Expenses',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => 'List Payments',
+ 'list_credits' => 'List Credits',
+ 'tax_name' => 'Tax Name',
+ 'report_settings' => 'Report Settings',
+ 'search_hotkey' => 'shortcut is /',
+
+ 'new_user' => 'New User',
+ 'new_product' => 'New Product',
+ 'new_tax_rate' => 'New Tax Rate',
+ 'invoiced_amount' => 'Invoiced Amount',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Recurring Number',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Password Protect Invoices',
+ 'enable_portal_password_help' => 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Expired',
+ 'invalid_card_number' => 'The credit card number is not valid.',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Cost',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Owner',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Partial Due',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'January',
+ 'february' => 'February',
+ 'march' => 'March',
+ 'april' => 'April',
+ 'may' => 'May',
+ 'june' => 'June',
+ 'july' => 'July',
+ 'august' => 'August',
+ 'september' => 'September',
+ 'october' => 'October',
+ 'november' => 'November',
+ 'december' => 'December',
+
+ // Documents
+ 'documents_header' => 'Documents:',
+ 'email_documents_header' => 'Documents:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Client Portal',
+ 'enable_client_portal_help' => 'Show/hide the client portal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Account Management',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Monthly',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Month',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Live Preview',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refund Payment',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Refund',
+ 'are_you_sure_refund' => 'Refund selected payments?',
+ 'status_pending' => 'Pending',
+ 'status_completed' => 'Completed',
+ 'status_failed' => 'Failed',
+ 'status_partially_refunded' => 'Partially Refunded',
+ 'status_partially_refunded_amount' => ':amount Refunded',
+ 'status_refunded' => 'Refunded',
+ 'status_voided' => 'Cancelled',
+ 'refunded_payment' => 'Refunded Payment',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Unknown',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Client Id',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Other Providers',
+ 'country_not_supported' => 'That country is not supported.',
+ 'invalid_routing_number' => 'The routing number is not valid.',
+ 'invalid_account_number' => 'The account number is not valid.',
+ 'account_number_mismatch' => 'The account numbers do not match.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Company Account',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Add Account',
+ 'payment_methods' => 'Payment Methods',
+ 'complete_verification' => 'Complete Verification',
+ 'verification_amount1' => 'Amount 1',
+ 'verification_amount2' => 'Amount 2',
+ 'payment_method_verified' => 'Verification completed successfully',
+ 'verification_failed' => 'Verification Failed',
+ 'remove_payment_method' => 'Remove Payment Method',
+ 'confirm_remove_payment_method' => 'Are you sure you want to remove this payment method?',
+ 'remove' => 'Remove',
+ 'payment_method_removed' => 'Removed payment method.',
+ 'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Unknown Bank',
+ 'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
+ 'add_credit_card' => 'Add Credit Card',
+ 'payment_method_added' => 'Added payment method.',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'You must :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Add Payment Method',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Always',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Enabled',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Save payment details',
+ 'add_paypal_account' => 'Add PayPal Account',
+
+
+ 'no_payment_method_specified' => 'No payment method specified',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Format',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Company Name',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Manage Account',
+ 'action_required' => 'Action Required',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Security',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Product File',
+ 'import_products' => 'Import Products',
+ 'products_will_create' => 'products will be created',
+ 'product_key' => 'Product',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'View Dashboard',
+ 'client_session_expired' => 'Session Expired',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bank account',
+ 'auto_bill_payment_method_credit_card' => 'credit card',
+ 'auto_bill_payment_method_paypal' => 'PayPal account',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Payment Settings',
+
+ 'on_send_date' => 'On send date',
+ 'on_due_date' => 'On due date',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bank Account',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privacy Policy',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Verification Pending',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'More options',
+ 'credit_card' => 'Credit Card',
+ 'bank_transfer' => 'Bank Transfer',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Added :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'This gateway already exists',
+ 'manual_entry' => 'Manual entry',
+ 'start_of_week' => 'First Day of the Week',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Weekly',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Two weeks',
+ 'freq_four_weeks' => 'Four weeks',
+ 'freq_monthly' => 'Monthly',
+ 'freq_three_months' => 'Three months',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Six months',
+ 'freq_annually' => 'Annually',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Bank Transfer',
+ 'payment_type_Cash' => 'Cash',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Credit Card Other',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' => 'Photography',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' =>'Photography',
+
+ 'view_client_portal' => 'View client portal',
+ 'view_portal' => 'View Portal',
+ 'vendor_contacts' => 'Vendor Contacts',
+ 'all' => 'All',
+ 'selected' => 'Selected',
+ 'category' => 'Category',
+ 'categories' => 'Categories',
+ 'new_expense_category' => 'New Expense Category',
+ 'edit_category' => 'Edit Category',
+ 'archive_expense_category' => 'Archive Category',
+ 'expense_categories' => 'Expense Categories',
+ 'list_expense_categories' => 'List Expense Categories',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Apply taxes',
+ 'min_to_max_users' => ':min to :max users',
+ 'max_users_reached' => 'The maximum number of users has been reached.',
+ 'buy_now_buttons' => 'Buy Now Buttons',
+ 'landing_page' => 'Landing Page',
+ 'payment_type' => 'Payment Type',
+ 'form' => 'Form',
+ 'link' => 'Link',
+ 'fields' => 'Fields',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Enable support for buy now buttons',
+ 'changes_take_effect_immediately' => 'Note: changes take effect immediately',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Something went wrong',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Please select a contact',
+ 'no_client_selected' => 'Please select a client',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Add 1 :product',
+ 'not_authorized' => 'You are not authorized',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'task_details'=>'Task Details',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Day',
+ 'week' => 'Week',
+ 'month' => 'Month',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Reports',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Date Range',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Annual revenue',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Vendor',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Invoice',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/en_GB/validation.php b/resources/lang/en_GB/validation.php
new file mode 100644
index 000000000000..59f06ad7668a
--- /dev/null
+++ b/resources/lang/en_GB/validation.php
@@ -0,0 +1,107 @@
+ "The :attribute must be accepted.",
+ "active_url" => "The :attribute is not a valid URL.",
+ "after" => "The :attribute must be a date after :date.",
+ "alpha" => "The :attribute may only contain letters.",
+ "alpha_dash" => "The :attribute may only contain letters, numbers, and dashes.",
+ "alpha_num" => "The :attribute may only contain letters and numbers.",
+ "array" => "The :attribute must be an array.",
+ "before" => "The :attribute must be a date before :date.",
+ "between" => array(
+ "numeric" => "The :attribute must be between :min - :max.",
+ "file" => "The :attribute must be between :min - :max kilobytes.",
+ "string" => "The :attribute must be between :min - :max characters.",
+ "array" => "The :attribute must have between :min - :max items.",
+ ),
+ "confirmed" => "The :attribute confirmation does not match.",
+ "date" => "The :attribute is not a valid date.",
+ "date_format" => "The :attribute does not match the format :format.",
+ "different" => "The :attribute and :other must be different.",
+ "digits" => "The :attribute must be :digits digits.",
+ "digits_between" => "The :attribute must be between :min and :max digits.",
+ "email" => "The :attribute format is invalid.",
+ "exists" => "The selected :attribute is invalid.",
+ "image" => "The :attribute must be an image.",
+ "in" => "The selected :attribute is invalid.",
+ "integer" => "The :attribute must be an integer.",
+ "ip" => "The :attribute must be a valid IP address.",
+ "max" => array(
+ "numeric" => "The :attribute may not be greater than :max.",
+ "file" => "The :attribute may not be greater than :max kilobytes.",
+ "string" => "The :attribute may not be greater than :max characters.",
+ "array" => "The :attribute may not have more than :max items.",
+ ),
+ "mimes" => "The :attribute must be a file of type: :values.",
+ "min" => array(
+ "numeric" => "The :attribute must be at least :min.",
+ "file" => "The :attribute must be at least :min kilobytes.",
+ "string" => "The :attribute must be at least :min characters.",
+ "array" => "The :attribute must have at least :min items.",
+ ),
+ "not_in" => "The selected :attribute is invalid.",
+ "numeric" => "The :attribute must be a number.",
+ "regex" => "The :attribute format is invalid.",
+ "required" => "The :attribute field is required.",
+ "required_if" => "The :attribute field is required when :other is :value.",
+ "required_with" => "The :attribute field is required when :values is present.",
+ "required_without" => "The :attribute field is required when :values is not present.",
+ "same" => "The :attribute and :other must match.",
+ "size" => array(
+ "numeric" => "The :attribute must be :size.",
+ "file" => "The :attribute must be :size kilobytes.",
+ "string" => "The :attribute must be :size characters.",
+ "array" => "The :attribute must contain :size items.",
+ ),
+ "unique" => "The :attribute has already been taken.",
+ "url" => "The :attribute format is invalid.",
+
+ "positive" => "The :attribute must be greater than zero.",
+ "has_credit" => "The client does not have enough credit.",
+ "notmasked" => "The values are masked",
+ "less_than" => "The :attribute must be less than :value",
+ "has_counter" => "To ensure all invoice numbers are unique the pattern needs to contain either {\$counter} or {\$clientIdNumber} and {\$clientCounter}",
+ "valid_contacts" => "The contact must have either an email or name",
+ "valid_invoice_items" => "The invoice exceeds the maximum amount",
+ "valid_subdomain" => "The subdomain is restricted",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(),
+
+);
diff --git a/resources/lang/es/pagination.php b/resources/lang/es/pagination.php
new file mode 100644
index 000000000000..9cbe91da3011
--- /dev/null
+++ b/resources/lang/es/pagination.php
@@ -0,0 +1,20 @@
+ '« Anterior',
+
+ 'next' => 'Siguiente »',
+
+);
diff --git a/resources/lang/es/reminders.php b/resources/lang/es/reminders.php
new file mode 100644
index 000000000000..094e8788814b
--- /dev/null
+++ b/resources/lang/es/reminders.php
@@ -0,0 +1,24 @@
+ "Las contraseñas deben contener al menos 6 caracteres y coincidir.",
+
+ "user" => "No podemos encontrar a un usuario con ese correo electrónico.",
+
+ "token" => "Este token de recuperación de contraseña es inválido.",
+
+ "sent" => "¡Recordatorio de contraseña enviado!",
+
+);
diff --git a/resources/lang/es/texts.php b/resources/lang/es/texts.php
new file mode 100644
index 000000000000..c1d3ad04e079
--- /dev/null
+++ b/resources/lang/es/texts.php
@@ -0,0 +1,2870 @@
+ 'Empresa',
+ 'name' => 'Nombre',
+ 'website' => 'Sitio Web',
+ 'work_phone' => 'Teléfono',
+ 'address' => 'Dirección',
+ 'address1' => 'Calle',
+ 'address2' => 'Bloq/Pta',
+ 'city' => 'Ciudad',
+ 'state' => 'Región/Provincia',
+ 'postal_code' => 'Código Postal',
+ 'country_id' => 'País',
+ 'contacts' => 'Contactos',
+ 'first_name' => 'Nombres',
+ 'last_name' => 'Apellidos',
+ 'phone' => 'Teléfono',
+ 'email' => 'Correo Electrónico',
+ 'additional_info' => 'Información Adicional',
+ 'payment_terms' => 'Términos de Pago',
+ 'currency_id' => 'Divisa',
+ 'size_id' => 'Tamaño de la Empresa',
+ 'industry_id' => 'Industria',
+ 'private_notes' => 'Notas Privadas',
+ 'invoice' => 'Factura',
+ 'client' => 'Cliente',
+ 'invoice_date' => 'Fecha de Factura',
+ 'due_date' => 'Fecha de Pago',
+ 'invoice_number' => 'Número de Factura',
+ 'invoice_number_short' => 'Factura #',
+ 'po_number' => 'Apartado de correo',
+ 'po_number_short' => 'Apdo. #',
+ 'frequency_id' => 'Frecuencia',
+ 'discount' => 'Descuento',
+ 'taxes' => 'Impuestos',
+ 'tax' => 'Impuesto',
+ 'item' => 'Concepto',
+ 'description' => 'Descripción',
+ 'unit_cost' => 'Coste unitario',
+ 'quantity' => 'Cantidad',
+ 'line_total' => 'Total',
+ 'subtotal' => 'Subtotal',
+ 'paid_to_date' => 'Pagado',
+ 'balance_due' => 'Pendiente',
+ 'invoice_design_id' => 'Diseño',
+ 'terms' => 'Términos',
+ 'your_invoice' => 'Tu factura',
+ 'remove_contact' => 'Eliminar contacto',
+ 'add_contact' => 'Añadir contacto',
+ 'create_new_client' => 'Crear nuevo cliente',
+ 'edit_client_details' => 'Editar detalles del cliente',
+ 'enable' => 'Activar',
+ 'learn_more' => 'Saber más',
+ 'manage_rates' => 'Gestionar tarifas',
+ 'note_to_client' => 'Nota para el cliente',
+ 'invoice_terms' => 'Términos de Facturación',
+ 'save_as_default_terms' => 'Guardar como términos por defecto',
+ 'download_pdf' => 'Descargar PDF',
+ 'pay_now' => 'Pagar ahora',
+ 'save_invoice' => 'Guardar factura',
+ 'clone_invoice' => 'Clonar como Factura',
+ 'archive_invoice' => 'Archivar Factura',
+ 'delete_invoice' => 'Eliminar Factura',
+ 'email_invoice' => 'Enviar factura por correo',
+ 'enter_payment' => 'Agregar Pago',
+ 'tax_rates' => 'Tasas de Impuesto',
+ 'rate' => 'Tasas',
+ 'settings' => 'Configuración',
+ 'enable_invoice_tax' => 'Activar impuesto para la factura',
+ 'enable_line_item_tax' => 'Activar impuesto por concepto',
+ 'dashboard' => 'Inicio',
+ 'clients' => 'Clientes',
+ 'invoices' => 'Facturas',
+ 'payments' => 'Pagos',
+ 'credits' => 'Créditos',
+ 'history' => 'Historial',
+ 'search' => 'Búsqueda',
+ 'sign_up' => 'Registrarse',
+ 'guest' => 'Invitado',
+ 'company_details' => 'Detalles de la Empresa',
+ 'online_payments' => 'Pagos Online',
+ 'notifications' => 'Notificaciones',
+ 'import_export' => 'Importar/Exportar',
+ 'done' => 'Hecho',
+ 'save' => 'Guardar',
+ 'create' => 'Crear',
+ 'upload' => 'Subir',
+ 'import' => 'Importar',
+ 'download' => 'Descargar',
+ 'cancel' => 'Cancelar',
+ 'close' => 'Cerrar',
+ 'provide_email' => 'Por favor facilita una dirección de correo electrónico válida.',
+ 'powered_by' => 'Plataforma por',
+ 'no_items' => 'No hay ítems',
+ 'recurring_invoices' => 'Facturas Recurrentes',
+ 'recurring_help' => 'Envía automáticamente a los clientes las mismas facturas semanal, bi-mensual, mensual, trimestral o anualmente
+ Usa :MONTH, :QUARTER o :YEAR para las fechas dinámicas. Matemática básica también funciona, por ejemplo :MONTH-1.
+ Ejemplos de variables de factura dinámica:
+
+ - "Membresía al gimnasio por el mes de :MONTH" >> "Membresía al gimnasio para el mes de Julio"
+ - ":YEAR+1 subscripción anual" >> "2015 Subscripción Anual"
+ - "Pago de retención para :QUARTER+1" >> "Pago de retención para el segundo trimestre
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'Ingreso Total',
+ 'billed_client' => 'Cliente Facturado',
+ 'billed_clients' => 'Clientes Facturados',
+ 'active_client' => 'Cliente Activo',
+ 'active_clients' => 'Clientes Activos',
+ 'invoices_past_due' => 'Facturas Vencidas',
+ 'upcoming_invoices' => 'Próximas Facturas',
+ 'average_invoice' => 'Promedio de Facturación',
+ 'archive' => 'Archivar',
+ 'delete' => 'Eliminar',
+ 'archive_client' => 'Archivar Cliente',
+ 'delete_client' => 'Eliminar Cliente',
+ 'archive_payment' => 'Archivar Pago',
+ 'delete_payment' => 'Eliminar Pago',
+ 'archive_credit' => 'Archivar Crédito',
+ 'delete_credit' => 'Eliminar Crédito',
+ 'show_archived_deleted' => 'Mostrar archivados/eliminados en ',
+ 'filter' => 'Filtrar',
+ 'new_client' => 'Nuevo Cliente',
+ 'new_invoice' => 'Nueva Factura',
+ 'new_payment' => 'Ingresa el Pago',
+ 'new_credit' => 'Ingresa el Crédito',
+ 'contact' => 'Contacto',
+ 'date_created' => 'Fecha de Creación',
+ 'last_login' => 'Último Acceso',
+ 'balance' => 'Saldo',
+ 'action' => 'Acción',
+ 'status' => 'Estado',
+ 'invoice_total' => 'Total Facturado',
+ 'frequency' => 'Frequencia',
+ 'start_date' => 'Fecha de Inicio',
+ 'end_date' => 'Fecha de Finalización',
+ 'transaction_reference' => 'Referencia de Transacción',
+ 'method' => 'Método',
+ 'payment_amount' => 'Valor del Pago',
+ 'payment_date' => 'Fecha de Pago',
+ 'credit_amount' => 'Cantidad de Crédito',
+ 'credit_balance' => 'Saldo de Crédito',
+ 'credit_date' => 'Fecha de Crédito',
+ 'empty_table' => 'Tabla vacía',
+ 'select' => 'Seleccionar',
+ 'edit_client' => 'Editar Cliente',
+ 'edit_invoice' => 'Editar Factura',
+ 'create_invoice' => 'Crear Factura',
+ 'enter_credit' => 'Agregar Crédito',
+ 'last_logged_in' => 'Último inicio de sesión',
+ 'details' => 'Detalles',
+ 'standing' => 'Situación',
+ 'credit' => 'Crédito',
+ 'activity' => 'Actividad',
+ 'date' => 'Fecha',
+ 'message' => 'Mensaje',
+ 'adjustment' => 'Ajustes',
+ 'are_you_sure' => '¿Estás Seguro?',
+ 'payment_type_id' => 'Tipo de pago',
+ 'amount' => 'Cantidad',
+ 'work_email' => 'Correo electrónico de la empresa',
+ 'language_id' => 'Idioma',
+ 'timezone_id' => 'Zona Horaria',
+ 'date_format_id' => 'Formato de Fecha',
+ 'datetime_format_id' => 'Formato de Fecha/Hora',
+ 'users' => 'Usuarios',
+ 'localization' => 'Localización',
+ 'remove_logo' => 'Eliminar logo',
+ 'logo_help' => 'Formatos aceptados: JPEG, GIF y PNG',
+ 'payment_gateway' => 'Pasarela de pago',
+ 'gateway_id' => 'Proveedor',
+ 'email_notifications' => 'Notificaciones de correo',
+ 'email_sent' => 'Avísame por correo cuando una factura se envía',
+ 'email_viewed' => 'Avísame por correo cuando una factura se visualiza',
+ 'email_paid' => 'Avísame por correo cuando una factura se paga',
+ 'site_updates' => 'Actualizaciones del sitio',
+ 'custom_messages' => 'Mensajes a medida',
+ 'default_email_footer' => 'Configurar firma de correo por defecto',
+ 'select_file' => 'Por favor selecciona un archivo',
+ 'first_row_headers' => 'Usar la primera fila como encabezados',
+ 'column' => 'Columna',
+ 'sample' => 'Ejemplo',
+ 'import_to' => 'Importar a',
+ 'client_will_create' => 'cliente será creado',
+ 'clients_will_create' => 'clientes serán creados',
+ 'email_settings' => 'Configuración del Correo Electrónico',
+ 'client_view_styling' => 'Estilo de Visualización para el Cliente',
+ 'pdf_email_attachment' => 'Adjuntar PDF',
+ 'custom_css' => 'CSS Personalizado',
+ 'import_clients' => 'Importar Datos del Cliente',
+ 'csv_file' => 'Seleccionar archivo CSV',
+ 'export_clients' => 'Exportar Datos del Cliente',
+ 'created_client' => 'cliente creado con éxito',
+ 'created_clients' => ':count clientes creados con éxito',
+ 'updated_settings' => 'Configuración actualizada con éxito',
+ 'removed_logo' => 'Logo eliminado con éxito',
+ 'sent_message' => 'Mensaje enviado con éxito',
+ 'invoice_error' => 'Seleccionar cliente y corregir errores.',
+ 'limit_clients' => 'Lo sentimos, se ha pasado del límite de :count clientes',
+ 'payment_error' => 'Ha habido un error en el proceso de tu pago. Inténtalo de nuevo más tarde.',
+ 'registration_required' => 'Inscríbete para enviar una factura',
+ 'confirmation_required' => 'Por favor confirma tu dirección de correo electrónico, :link para reenviar el correo de confirmación.',
+ 'updated_client' => 'Cliente actualizado con éxito',
+ 'created_client' => 'cliente creado con éxito',
+ 'archived_client' => 'Cliente archivado con éxito',
+ 'archived_clients' => ':count clientes archivados con éxito',
+ 'deleted_client' => 'Cliente eliminado con éxito',
+ 'deleted_clients' => ':count clientes eliminados con éxito',
+ 'updated_invoice' => 'Factura actualizada con éxito',
+ 'created_invoice' => 'Factura creada con éxito',
+ 'cloned_invoice' => 'Factura clonada con éxito',
+ 'emailed_invoice' => 'Factura enviada con éxito',
+ 'and_created_client' => 'y cliente creado ',
+ 'archived_invoice' => 'Factura archivada con éxito',
+ 'archived_invoices' => ':count facturas archivados con éxito',
+ 'deleted_invoice' => 'Factura eliminada con éxito',
+ 'deleted_invoices' => ':count facturas eliminadas con éxito',
+ 'created_payment' => 'Pago creado con éxito',
+ 'created_payments' => ':count pagos creados con éxito',
+ 'archived_payment' => 'Pago archivado con éxito',
+ 'archived_payments' => ':count pagos archivados con éxito',
+ 'deleted_payment' => 'Pago eliminado con éxito',
+ 'deleted_payments' => ':count pagos eliminados con éxito',
+ 'applied_payment' => 'Pago aplicado con éxito',
+ 'created_credit' => 'Crédito creado con éxito',
+ 'archived_credit' => 'Crédito archivado con éxito',
+ 'archived_credits' => ':count creditos archivados con éxito',
+ 'deleted_credit' => 'Créditos eliminados con éxito',
+ 'deleted_credits' => ':count creditos eliminados con éxito',
+ 'imported_file' => 'Archivo importado con éxito',
+ 'updated_vendor' => 'Proveedor actualizado con éxito',
+ 'created_vendor' => 'Proveedor creado con éxito',
+ 'archived_vendor' => 'Proveedor archivado con éxito',
+ 'archived_vendors' => ':count proveedores actualizados con éxito',
+ 'deleted_vendor' => 'Proveedor eliminado con éxito',
+ 'deleted_vendors' => ':count proveedores actualizados con éxito',
+ 'confirmation_subject' => 'Corfimación de tu cuenta en Invoice Ninja',
+ 'confirmation_header' => 'Confirmación de Cuenta',
+ 'confirmation_message' => 'Por favor, haz clic en el enlace abajo para confirmar tu cuenta.',
+ 'invoice_subject' => 'Nueva factura :invoice de :account',
+ 'invoice_message' => 'Para visualizar tu factura por el valor de :amount, haga click en el enlace a continuación.',
+ 'payment_subject' => 'Pago recibido',
+ 'payment_message' => 'Gracias por tu pago de :amount.',
+ 'email_salutation' => 'Estimado :name,',
+ 'email_signature' => 'Un cordial saludo,',
+ 'email_from' => 'El equipo de Invoice Ninja ',
+ 'invoice_link_message' => 'Para visualizar la factura de cliente, haz clic en el enlace a continuación:',
+ 'notification_invoice_paid_subject' => 'La factura :invoice ha sido pagada por el cliente :client',
+ 'notification_invoice_sent_subject' => 'La factura :invoice ha sido enviada a el cliente :client',
+ 'notification_invoice_viewed_subject' => 'La factura :invoice ha sido visualizado por el cliente:client',
+ 'notification_invoice_paid' => 'Un pago por importe de :amount ha sido realizado por el cliente :client correspondiente a la factura :invoice.',
+ 'notification_invoice_sent' => 'La factura :invoice por importe de :amount fue enviada al cliente :cliente.',
+ 'notification_invoice_viewed' => 'La factura :invoice por importe de :amount fue visualizada por el cliente :client.',
+ 'reset_password' => 'Puedes reconfigurar la contraseña de tu cuenta haciendo clic en el siguiente enlace:',
+ 'secure_payment' => 'Pago seguro',
+ 'card_number' => 'Número de tarjeta',
+ 'expiration_month' => 'Mes de caducidad',
+ 'expiration_year' => 'Año de caducidad',
+ 'cvv' => 'CVV',
+ 'logout' => 'Cerrar sesión',
+ 'sign_up_to_save' => 'Registrate para guardar tu trabajo',
+ 'agree_to_terms' => 'Estoy de acuerdo con los :terms',
+ 'terms_of_service' => 'Términos de Servicio',
+ 'email_taken' => 'Esta dirección de correo electrónico ya se ha registrado',
+ 'working' => 'Procesando',
+ 'success' => 'Éxito',
+ 'success_message' => 'Te has registrado exitosamente. Por favor, haz clic en el enlace del correo de confirmación para verificar tu dirección de correo electrónico.',
+ 'erase_data' => 'Tu cuenta no está registrada, esto borrara todos los datos permanentemente. ',
+ 'password' => 'Contraseña',
+ 'pro_plan_product' => 'Plan Pro',
+ 'pro_plan_success' => '¡Gracias por unirte a Invoice Ninja! Al realizar el pago de tu factura, se iniciara tu Plan Pro !.
+ Siguientes PasosUna factura exigible ha sido enviada al correo
+ electrónico asociado con tu cuenta. Para desbloquear todas las increíbles funciones del plan Pro, por favor sigue las instrucciones en la factura para pagar
+ por un año del plan Pro.
+ No puedes encontrar la factura ? Necesitas más ayuda? Estamos felices de ayudarte
+ -- mándanos un correo a contact@invoiceninja.com',
+ 'unsaved_changes' => 'Tienes cambios no guardados',
+ 'custom_fields' => 'Campos personalizados',
+ 'company_fields' => 'Campos de la empresa',
+ 'client_fields' => 'Campos del cliente',
+ 'field_label' => 'Etiqueta del campo',
+ 'field_value' => 'Valor del campo',
+ 'edit' => 'Editar',
+ 'set_name' => 'Indique el nombre de su empresa',
+ 'view_as_recipient' => 'Ver como destinitario',
+ 'product_library' => 'Inventario de productos',
+ 'product' => 'Producto',
+ 'products' => 'Productos',
+ 'fill_products' => 'Auto-rellenar productos',
+ 'fill_products_help' => 'Seleccionar un producto automáticamente configurará la descripción y coste',
+ 'update_products' => 'Auto-actualizar productos',
+ 'update_products_help' => 'Actualizar una factura automáticamente actualizará los productos',
+ 'create_product' => 'Crear Producto',
+ 'edit_product' => 'Editar Producto',
+ 'archive_product' => 'Archivar Producto',
+ 'updated_product' => 'Producto actualizado con éxito',
+ 'created_product' => 'Producto creado con éxito',
+ 'archived_product' => 'Producto archivado con éxito',
+ 'pro_plan_custom_fields' => ':link haz click para para activar campos a medida',
+ 'advanced_settings' => 'Configuración Avanzada',
+ 'pro_plan_advanced_settings' => ':link haz clic para para activar la configuración avanzada',
+ 'invoice_design' => 'Diseño de factura',
+ 'specify_colors' => 'Especificar colores',
+ 'specify_colors_label' => 'Seleccionar los colores para usar en las facturas',
+ 'chart_builder' => 'Constructor de graficos',
+ 'ninja_email_footer' => 'Creado por :site | Crear. Enviar. Recibir Pago.',
+ 'go_pro' => 'Hazte Pro',
+ 'quote' => 'Cotización',
+ 'quotes' => 'Cotizaciones',
+ 'quote_number' => 'Numero de cotización',
+ 'quote_number_short' => 'Cotización #',
+ 'quote_date' => 'Fecha cotización',
+ 'quote_total' => 'Total cotizado',
+ 'your_quote' => 'Tu cotización',
+ 'total' => 'Total',
+ 'clone' => 'Clon',
+ 'new_quote' => 'Nueva cotización',
+ 'create_quote' => 'Crear Cotización',
+ 'edit_quote' => 'Editar Cotización',
+ 'archive_quote' => 'Archivar Cotización',
+ 'delete_quote' => 'Eliminar Cotización',
+ 'save_quote' => 'Guardar Cotización',
+ 'email_quote' => 'Enviar Cotización',
+ 'clone_quote' => 'Clonar Como Cotización',
+ 'convert_to_invoice' => 'Convertir a Factura',
+ 'view_invoice' => 'Ver Factura',
+ 'view_client' => 'Ver Cliente',
+ 'view_quote' => 'Ver Cotización',
+ 'updated_quote' => 'Cotización actualizada con éxito',
+ 'created_quote' => 'Cotización creada con éxito',
+ 'cloned_quote' => 'Cotización clonada con éxito',
+ 'emailed_quote' => 'Cotización enviada con éxito',
+ 'archived_quote' => 'Cotización archivada con éxito',
+ 'archived_quotes' => ':count cotizaciones archivadas con exito',
+ 'deleted_quote' => 'Cotizaciónes eliminadas con éxito',
+ 'deleted_quotes' => ':count cotizaciones eliminadas con exito',
+ 'converted_to_invoice' => 'Cotización convertida a factura con éxito',
+ 'quote_subject' => 'Nuevo presupuesto :quote de :account',
+ 'quote_message' => 'Para visualizar la cotización por valor de :amount, haz click en el enlace abajo.',
+ 'quote_link_message' => 'Para visualizar tu cotización haz click en el enlace abajo:',
+ 'notification_quote_sent_subject' => 'Cotización :invoice enviada a el cliente :client',
+ 'notification_quote_viewed_subject' => 'Cotización :invoice visualizada por el cliente :client',
+ 'notification_quote_sent' => 'La cotización :invoice por un valor de :amount, ha sido enviada al cliente :client.',
+ 'notification_quote_viewed' => 'La cotizacion :invoice por un valor de :amount ha sido visualizada por el cliente :client.',
+ 'session_expired' => 'Tu sesión ha caducado.',
+ 'invoice_fields' => 'Campos de Factura',
+ 'invoice_options' => 'Opciones de Factura',
+ 'hide_paid_to_date' => 'Ocultar Valor Pagado a la Fecha',
+ 'hide_paid_to_date_help' => 'Solo mostrar la opción “Pagado a la fecha” en sus facturas cuando se ha recibido un pago.',
+ 'charge_taxes' => 'Cargar Impuestos',
+ 'user_management' => 'Gestión de Usuarios',
+ 'add_user' => 'Añadir Usuario',
+ 'send_invite' => 'Enviar Invitación',
+ 'sent_invite' => 'Invitación enviada con éxito',
+ 'updated_user' => 'Usario actualizado con éxito',
+ 'invitation_message' => ':invitor te ha invitado a unirte a su cuenta en Invoice Ninja.',
+ 'register_to_add_user' => 'Regístrate para aregar un usuario',
+ 'user_state' => 'Estado',
+ 'edit_user' => 'Editar Usario',
+ 'delete_user' => 'Eliminar Usario',
+ 'active' => 'Activo',
+ 'pending' => 'Pendiente',
+ 'deleted_user' => 'Usario eliminado con éxito',
+ 'confirm_email_invoice' => '¿Estás seguro que quieres enviar esta factura?',
+ 'confirm_email_quote' => '¿Estás seguro que quieres enviar esta cotización?',
+ 'confirm_recurring_email_invoice' => 'Se ha marcado esta factura como recurrente, estás seguro que quieres enviar esta factura?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Estás seguro de querer iniciar la recurrencia?',
+ 'cancel_account' => 'Cancelar Cuenta',
+ 'cancel_account_message' => 'AVISO: Esta acción eliminará tu cuenta de forma permanente.',
+ 'go_back' => 'Atrás',
+ 'data_visualizations' => 'Visualización de Datos',
+ 'sample_data' => 'Datos de Ejemplo',
+ 'hide' => 'Ocultar',
+ 'new_version_available' => 'Una nueva versión de :releases_link disponible. Estás utilizando versión :user_version, la última versión es :latest_version',
+ 'invoice_settings' => 'Configuración de Facturas',
+ 'invoice_number_prefix' => 'Prefijo de facturación',
+ 'invoice_number_counter' => 'Numeración de facturación',
+ 'quote_number_prefix' => 'Prefijo de Cotizaciones',
+ 'quote_number_counter' => 'Numeración de Cotizaciones',
+ 'share_invoice_counter' => 'Compartir la numeración para cotización y facturación',
+ 'invoice_issued_to' => 'Factura emitida a',
+ 'invalid_counter' => 'Para evitar posibles conflictos, por favor crea un prefijo de facturación y de cotización.',
+ 'mark_sent' => 'Marcar como enviado',
+ 'gateway_help_1' => ':link para registrarse con Authorize.net.',
+ 'gateway_help_2' => ':link para registrarse con Authorize.net.',
+ 'gateway_help_17' => ':link para obtener su firma del API de PayPal.',
+ 'gateway_help_27' => ':link para suscribirte a 2Checkout.com. Para asegurarte que los pagos puedan ser reastreados configura :complete_link como la URL de redirección en Account > Site Management en el portal de 2Checkout.',
+ 'gateway_help_60' => ':link para crear una cuenta WePay.',
+ 'more_designs' => 'Más diseños',
+ 'more_designs_title' => 'Diseños Adicionales de Facturas',
+ 'more_designs_cloud_header' => 'Pase a Pro para más diseños de facturas',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Comprar',
+ 'bought_designs' => 'Diseños adicionales de facturas agregados con éxito',
+ 'sent' => 'Enviado',
+ 'vat_number' => 'Número de Impuesto',
+ 'timesheets' => 'Hojas de Tiempo',
+ 'payment_title' => 'Ingresa la Dirección de Facturación de tu Tareta de Crédito',
+ 'payment_cvv' => '*Este es el número de 3-4 dígitos en la parte posterior de tu tarjeta de crédito',
+ 'payment_footer1' => '*La dirección debe coincidir con la dirección asociada a la tarjeta de crédito.',
+ 'payment_footer2' => '*Por favor haz clic en "PAGAR AHORA" sólo una vez - la transacción puede demorarse hasta un minuto en ser procesada.',
+ 'id_number' => 'ID Number',
+ 'white_label_link' => 'Etiqueta Blanca',
+ 'white_label_header' => 'Etiqueta Blanca',
+ 'bought_white_label' => 'Licencia de etiqueta blanca habilitada con éxito',
+ 'white_labeled' => 'Etiqueta Blanca',
+ 'restore' => 'Restaurar',
+ 'restore_invoice' => 'Restaurar Factura',
+ 'restore_quote' => 'Restaurar Cotización',
+ 'restore_client' => 'Restaurar Cliente',
+ 'restore_credit' => 'Restaurar Crédito',
+ 'restore_payment' => 'Restaurar Pago',
+ 'restored_invoice' => 'Factura restaurada con éxito',
+ 'restored_quote' => 'Cotización restaurada con éxito',
+ 'restored_client' => 'Cliente restaurado con éxito',
+ 'restored_payment' => 'Pago restaurado con éxito',
+ 'restored_credit' => 'Crédito restaurado con éxito',
+ 'reason_for_canceling' => 'Ayúdenos a mejorar contándonos porqué se va.',
+ 'discount_percent' => 'Porcentaje',
+ 'discount_amount' => 'Cantidad',
+ 'invoice_history' => 'Historial de Facturas',
+ 'quote_history' => 'Historial de Cotizaciones',
+ 'current_version' => 'Versión Actual',
+ 'select_version' => 'Seleccione la Versión',
+ 'view_history' => 'Ver Historial',
+ 'edit_payment' => 'Editar Pago',
+ 'updated_payment' => 'Pago actualizado con éxito',
+ 'deleted' => 'Eliminado',
+ 'restore_user' => 'Restaurar Usuario',
+ 'restored_user' => 'Usuario restaurado con éxito',
+ 'show_deleted_users' => 'Mostrar usuarios eliminados',
+ 'email_templates' => 'Plantillas de Correo',
+ 'invoice_email' => 'Correo de Factura',
+ 'payment_email' => 'Correo de Pago',
+ 'quote_email' => 'Correo de Cotizacion',
+ 'reset_all' => 'Reiniciar Todos',
+ 'approve' => 'Aprobar',
+ 'token_billing_type_id' => 'Token de Facturación',
+ 'token_billing_help' => 'Guardar detalles de pago con WePay, Stripe Braintree o GoCardless.',
+ 'token_billing_1' => 'Deshabilitado',
+ 'token_billing_2' => 'Opt-in - el checkbox es mostrado pero no seleccionado',
+ 'token_billing_3' => 'Opt-out - el checkbox es mostrado y seleccionado',
+ 'token_billing_4' => 'Siempre',
+ 'token_billing_checkbox' => 'Almacenar detalles de la tarjeta de crédito',
+ 'view_in_gateway' => 'Ver en :gateway',
+ 'use_card_on_file' => 'Use Card on File',
+ 'edit_payment_details' => 'Editar detalles del pago',
+ 'token_billing' => 'Guardar detalles de la tarjeta',
+ 'token_billing_secure' => 'La información es almacenada de manera segura por :link',
+ 'support' => 'Soporte',
+ 'contact_information' => 'Información de Contacto',
+ '256_encryption' => 'Encripción de 256-Bit',
+ 'amount_due' => 'Importe a pagar',
+ 'billing_address' => 'Dirección de facturación',
+ 'billing_method' => 'Método de facturación',
+ 'order_overview' => 'Resumen de la orden',
+ 'match_address' => '*La dirección debe coincidir con la dirección asociada a la tarjeta de crédito.',
+ 'click_once' => '*Por favor haga clic en "PAGAR AHORA" sólo una vez - la transacción puede demorarse hasta un minuto en ser procesada.',
+ 'invoice_footer' => 'Pie de págia de la factura',
+ 'save_as_default_footer' => 'Guardar como el pie de página por defecto',
+ 'token_management' => 'Administración de Tokens',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Agregar Token',
+ 'show_deleted_tokens' => 'Mostrar los tokens eliminados',
+ 'deleted_token' => 'Token eliminado con éxito',
+ 'created_token' => 'Token creado con éxito',
+ 'updated_token' => 'Token actualizado con éxito',
+ 'edit_token' => 'Editar Token',
+ 'delete_token' => 'Eliminar Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Agregar Gateway',
+ 'delete_gateway' => 'Eliminar Gateway',
+ 'edit_gateway' => 'Editar Gateway',
+ 'updated_gateway' => 'Gateway actualizado con éxito',
+ 'created_gateway' => 'Gateway creado con éxito',
+ 'deleted_gateway' => 'Gateway eliminado con éxito',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Tarjeta de Crédito',
+ 'change_password' => 'Cambiar Contraseña',
+ 'current_password' => 'Contraseña Actual',
+ 'new_password' => 'Nueva Contraseña',
+ 'confirm_password' => 'Confirmar Contraseña',
+ 'password_error_incorrect' => 'La contraseña actual es incorrecta.',
+ 'password_error_invalid' => 'La nueva contraseña no es válida.',
+ 'updated_password' => 'Contraseña actualizada correctamente',
+ 'api_tokens' => 'API Tokens',
+ 'users_and_tokens' => 'Usuarios & Tokens',
+ 'account_login' => 'Iniciar Sesión',
+ 'recover_password' => 'Recuperar contraseña',
+ 'forgot_password' => 'Olvidó su contraseña?',
+ 'email_address' => 'Correo Electrónico',
+ 'lets_go' => 'Acceder',
+ 'password_recovery' => 'Recuperación de Contraseña',
+ 'send_email' => 'Enviar email',
+ 'set_password' => 'Asignar Contraseña',
+ 'converted' => 'Convertido',
+ 'email_approved' => 'Enviarme un correo cuando una cotización sea aprobada',
+ 'notification_quote_approved_subject' => 'Cotización :invoice fue aprobada por :client',
+ 'notification_quote_approved' => 'El cliente :client ha aprobado la cotización :invoice por el valor :amount.',
+ 'resend_confirmation' => 'Reenviar correo de confirmación',
+ 'confirmation_resent' => 'El correo de confirmación fue reenviado',
+ 'gateway_help_42' => ':link para registrarse en BitPay.
Nota: use una llave del API legacy, no un token API.',
+ 'payment_type_credit_card' => 'Tarjeta de Crédito',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Base de Conocimiento',
+ 'partial' => 'Parcial/Depósito',
+ 'partial_remaining' => ':partial de :balance',
+ 'more_fields' => 'Más Campos',
+ 'less_fields' => 'Menos Campos',
+ 'client_name' => 'Nombre del Cliente',
+ 'pdf_settings' => 'Configuración de PDF',
+ 'product_settings' => 'Configuración del Producto',
+ 'auto_wrap' => 'Ajuste Automático de Línea',
+ 'duplicate_post' => 'Advertencia: la página anterior fue enviada dos veces. El segundo envío ha sido ignorado.',
+ 'view_documentation' => 'Ver Documentación',
+ 'app_title' => 'Facturación Open-Source Gratuita',
+ 'app_description' => 'Invoice Ninja es una solución open-source gratuita para manejar la facturación de tus clientes. Con Invoice Ninja, se pueden crear y enviar hermosas facturas desde cualquier dispositivo que tenga acceso a Internet. Tus clientes pueden imprimir tus facturas, descargarlas en formato PDF o inclusive pagarlas en linea desde esta misma plataforma',
+ 'rows' => 'filas',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdominio',
+ 'provide_name_or_email' => 'Por favor, ingrese un nombre o email',
+ 'charts_and_reports' => 'Gráficas y Reportes',
+ 'chart' => 'Gráfica',
+ 'report' => 'Reporte',
+ 'group_by' => 'Agrupar por',
+ 'paid' => 'Pagado',
+ 'enable_report' => 'Reportes',
+ 'enable_chart' => 'Gráficas',
+ 'totals' => 'Totales',
+ 'run' => 'Ejecutar',
+ 'export' => 'Exportar',
+ 'documentation' => 'Documentación',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Recurrente',
+ 'last_invoice_sent' => 'Ultima factura enviada en :date',
+ 'processed_updates' => 'Actualización completada con éxito',
+ 'tasks' => 'Tareas',
+ 'new_task' => 'Nueva Tarea',
+ 'start_time' => 'Tiempo de Inicio',
+ 'created_task' => 'Tarea creada con éxito',
+ 'updated_task' => 'Tarea actualizada con éxito',
+ 'edit_task' => 'Editar Tarea',
+ 'archive_task' => 'Archivar Tarea',
+ 'restore_task' => 'Restaurar Tarea',
+ 'delete_task' => 'Eliminar Tarea',
+ 'stop_task' => 'Detener Tarea',
+ 'time' => 'Tiempo',
+ 'start' => 'Iniciar',
+ 'stop' => 'Detener',
+ 'now' => 'Ahora',
+ 'timer' => 'Temporizador',
+ 'manual' => 'Manual',
+ 'date_and_time' => 'Fecha y Hora',
+ 'second' => 'Segundo',
+ 'seconds' => 'Segundos',
+ 'minute' => 'Minuto',
+ 'minutes' => 'Minutos',
+ 'hour' => 'Hora',
+ 'hours' => 'Horas',
+ 'task_details' => 'Detalles de la Tarea',
+ 'duration' => 'Duración',
+ 'end_time' => 'Tiempo Final',
+ 'end' => 'Fin',
+ 'invoiced' => 'Facturado',
+ 'logged' => 'Registrado',
+ 'running' => 'Ejecutando',
+ 'task_error_multiple_clients' => 'Las tareas no pueden pertenecer a diferentes clientes',
+ 'task_error_running' => 'Por favor primero detenga las tareas que se estén ejecutando',
+ 'task_error_invoiced' => 'Las tareas ya han sido facturadas',
+ 'restored_task' => 'Tarea restaurada con éxito',
+ 'archived_task' => 'Tarea archivada con éxito',
+ 'archived_tasks' => ':count tareas archivadas con éxito',
+ 'deleted_task' => 'Tarea eliminada con éxito',
+ 'deleted_tasks' => ':count tareas eliminadas con éxito',
+ 'create_task' => 'Crear Tarea',
+ 'stopped_task' => 'Tarea detenida con éxito',
+ 'invoice_task' => 'Tarea de Factura',
+ 'invoice_labels' => 'Etiquetas',
+ 'prefix' => 'Prefijo',
+ 'counter' => 'Contador',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link para registrarse con Dwolla.',
+ 'partial_value' => 'Debe ser mayor que cero y menor que el total',
+ 'more_actions' => 'Más Acciones',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Actualízate Ahora!',
+ 'pro_plan_feature1' => 'Crea Clientes Ilimitados',
+ 'pro_plan_feature2' => 'Accede a 10 hermosos diseños de factura',
+ 'pro_plan_feature3' => 'URLs Personalizadas - "SuMarca.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Remueve "Creado por Invoice Ninja"',
+ 'pro_plan_feature5' => 'Acceso Multi-usuario y seguimiento de actividades',
+ 'pro_plan_feature6' => 'Crea Cotizaciones y facturas Pro-forma',
+ 'pro_plan_feature7' => 'Personaliza los Títulos de los Campos y Numeración de las Facturas',
+ 'pro_plan_feature8' => 'Opción para adjuntarle documentos PDF a los correos dirigidos a los clientes',
+ 'resume' => 'Continuar',
+ 'break_duration' => 'Descanso',
+ 'edit_details' => 'Editar Detalles',
+ 'work' => 'Trabajo',
+ 'timezone_unset' => 'Por favor :link para configurar tu Uso Horario',
+ 'click_here' => 'haz clic aquí',
+ 'email_receipt' => 'Enviar por correo electrónico el recibo de pago al cliente',
+ 'created_payment_emailed_client' => 'Pago creado y enviado al cliente con éxito',
+ 'add_company' => 'Agregar Compañía',
+ 'untitled' => 'Sin Título',
+ 'new_company' => 'Nueva Compañia',
+ 'associated_accounts' => 'Cuentas conectadas con éxito',
+ 'unlinked_account' => 'Cuentas desconectadas con éxito',
+ 'login' => 'Iniciar Sesión',
+ 'or' => 'o',
+ 'email_error' => 'Hubo un problema enviando el correo',
+ 'confirm_recurring_timing' => 'Nota: los correos son enviados al inicio de la hora.',
+ 'confirm_recurring_timing_not_sent' => 'Nota: Las facturas son creadas al inicio de la hora.',
+ 'payment_terms_help' => 'Establecer fecha de vencimiento de la factura por defecto',
+ 'unlink_account' => 'Desconectar Cuenta',
+ 'unlink' => 'Desconectar',
+ 'show_address' => 'Actualizar Dirección',
+ 'show_address_help' => 'Requerir que el cliente indique su dirección de facturación',
+ 'update_address' => 'Actualizar Dirección',
+ 'update_address_help' => 'Actualiza la dirección del cliente con los detalles proporcionados',
+ 'times' => 'Tiempos',
+ 'set_now' => 'Asignar ahora',
+ 'dark_mode' => 'Modo Oscuro',
+ 'dark_mode_help' => 'Usar un fondo oscuro en la barra lateral',
+ 'add_to_invoice' => 'Agregar a cuenta :invoice',
+ 'create_new_invoice' => 'Crear Nueva Cuenta',
+ 'task_errors' => 'Por favor corrija cualquier tiempo que se sobreponga con otro',
+ 'from' => 'De',
+ 'to' => 'Para',
+ 'font_size' => 'Tamaño de Letra',
+ 'primary_color' => 'Color Primario',
+ 'secondary_color' => 'Color Secundario',
+ 'customize_design' => 'Personalizar Diseño',
+ 'content' => 'Contenido',
+ 'styles' => 'Estilos',
+ 'defaults' => 'Valores por Defecto',
+ 'margins' => 'Márgenes',
+ 'header' => 'Encabezado',
+ 'footer' => 'Pie de Página',
+ 'custom' => 'Personalizado',
+ 'invoice_to' => 'Factura para',
+ 'invoice_no' => 'Factura #',
+ 'quote_no' => 'Quote No.',
+ 'recent_payments' => 'Pagos Recientes',
+ 'outstanding' => 'Pendiente de Cobro',
+ 'manage_companies' => 'Gestionar Compañías',
+ 'total_revenue' => 'Ingresos Totales',
+ 'current_user' => 'Usuario Actual',
+ 'new_recurring_invoice' => 'Nueva Factura Recurrente',
+ 'recurring_invoice' => 'Factura Recurrente',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Es muy pronto para crear la siguiente factura recurrente, está programada para :date',
+ 'created_by_invoice' => 'Creado por :invoice',
+ 'primary_user' => 'Usuario Principal',
+ 'help' => 'Ayuda',
+ 'customize_help' => 'Nosotros usamos :pdfmake_link para definir los diseños de factura de manera declarativa. El :playground_link provides de pdfmake es una excelente manera de ver a la librería en acción.
+ Si necesitas ayuda con cómo hacer algo,haz una pregunta en nuestro :forum_link incluyendo el diseño que estás usando.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'foro de soporte',
+ 'invoice_due_date' => 'Fecha de Vencimiento',
+ 'quote_due_date' => 'Válida Hasta',
+ 'valid_until' => 'Válida Hasta',
+ 'reset_terms' => 'Reiniciar términos',
+ 'reset_footer' => 'Reiniciar pie de página',
+ 'invoice_sent' => ':count factura enviada',
+ 'invoices_sent' => ':count facturas enviadas',
+ 'status_draft' => 'Borrador',
+ 'status_sent' => 'Enviado',
+ 'status_viewed' => 'Visto',
+ 'status_partial' => 'Parcial',
+ 'status_paid' => 'Pagado',
+ 'status_unpaid' => 'Sin pagar',
+ 'status_all' => 'Todas',
+ 'show_line_item_tax' => ' Mostrar impuestos por cada item en línea.',
+ 'iframe_url' => 'Sitio Web',
+ 'iframe_url_help1' => 'Copia el siguiente código en una página de tu sitio web.',
+ 'iframe_url_help2' => 'Puedes probar esta funcionalidad haciendo clic en \'Ver como el destinitario\' de una factura.',
+ 'auto_bill' => 'Cobro Automático',
+ 'military_time' => 'Tiempo 24 Horas',
+ 'last_sent' => 'Último Enviado',
+ 'reminder_emails' => 'Correos de Recordatorio',
+ 'templates_and_reminders' => 'Plantillas & Recordatorios',
+ 'subject' => 'Asunto',
+ 'body' => 'Mensaje',
+ 'first_reminder' => 'Primer Recordatorio',
+ 'second_reminder' => 'Segundo Recordatorio',
+ 'third_reminder' => 'Tercer Recordatorio',
+ 'num_days_reminder' => 'Días después de la fecha de vencimiento',
+ 'reminder_subject' => 'Recordatorio: Factura :invoice de :account',
+ 'reset' => 'Reiniciar',
+ 'invoice_not_found' => 'La factura solicitada no está disponible',
+ 'referral_program' => 'Programa de Referidos',
+ 'referral_code' => 'Código de Referidos',
+ 'last_sent_on' => 'último enviado en :date',
+ 'page_expire' => 'Esta página expirará pronto, :click_here para que siga funcionando',
+ 'upcoming_quotes' => 'Próximas Cotizaciones',
+ 'expired_quotes' => 'Cotizaciones Vencidas',
+ 'sign_up_using' => 'Ingrese usando',
+ 'invalid_credentials' => 'Estas credenciales no concuerdan con nuestros registros',
+ 'show_all_options' => 'Mostrar todas las opciones',
+ 'user_details' => 'Detalles de Usuario',
+ 'oneclick_login' => 'Cuenta conectada',
+ 'disable' => 'Deshabilitado',
+ 'invoice_quote_number' => 'Números de Cotización y Factura',
+ 'invoice_charges' => 'Cargos de Factura',
+ 'notification_invoice_bounced' => 'No nos fue posible entregar la Factura :invoice a :contact.',
+ 'notification_invoice_bounced_subject' => 'No fue posible entregar la Factura :invoice',
+ 'notification_quote_bounced' => 'No nos fue posible entregar la Cotización :invoice a :contact.',
+ 'notification_quote_bounced_subject' => 'No nos fue posible entregar la Cotización :invoice',
+ 'custom_invoice_link' => 'Link Personalizado de Factura',
+ 'total_invoiced' => 'Total Facturado',
+ 'open_balance' => 'Saldo Abierto',
+ 'verify_email' => 'Para verificar su cuenta de correo por favor visite el link en el correo de confirmación de tu cuenta.',
+ 'basic_settings' => 'Configuración Básica',
+ 'pro' => 'Pro',
+ 'gateways' => 'Pasarelas de Pago',
+ 'next_send_on' => 'Enviar Siguiente: :date',
+ 'no_longer_running' => 'La ejecución de esta factura no está programada',
+ 'general_settings' => 'Configuración General',
+ 'customize' => 'Personalizar',
+ 'oneclick_login_help' => 'Conecta una cuenta para ingresar sin contraseña',
+ 'referral_code_help' => 'Gana dinero compartiendo nuestra app online',
+ 'enable_with_stripe' => 'Habilitado | Requiere Stripe',
+ 'tax_settings' => 'Configuración de Impuestos',
+ 'create_tax_rate' => 'Agregar Tasa de Impuesto',
+ 'updated_tax_rate' => 'Tasa de impuesto actualizada con éxito',
+ 'created_tax_rate' => 'Tasa de impuesto creada con éxito',
+ 'edit_tax_rate' => 'Editar tasa de impuesto',
+ 'archive_tax_rate' => 'Archivar tasa de impuesto',
+ 'archived_tax_rate' => 'Tasa de impuesto archivada con éxito',
+ 'default_tax_rate_id' => 'Tasa de Impuesto por Defecto',
+ 'tax_rate' => 'Tasa de Impuesto',
+ 'recurring_hour' => 'Hora Recurrente',
+ 'pattern' => 'Patrón',
+ 'pattern_help_title' => 'Ayuda de Patrón',
+ 'pattern_help_1' => 'Crear números personalizados, especificando un patrón',
+ 'pattern_help_2' => 'Variables disponibles:',
+ 'pattern_help_3' => 'Por ejemplo, :example sería convertido a :value',
+ 'see_options' => 'Ver Opciones',
+ 'invoice_counter' => 'Contador de Facturas',
+ 'quote_counter' => 'Contador de Cotizaciones',
+ 'type' => 'Tipo',
+ 'activity_1' => ':user creó el cliente :client',
+ 'activity_2' => ':user archivó el cliente :client',
+ 'activity_3' => ':user eliminó el cliente :client',
+ 'activity_4' => ':user creó la factura :invoice',
+ 'activity_5' => ':user actualizó la factura :invoice',
+ 'activity_6' => ':user envió por correo electrónico la factura :invoice to :contact',
+ 'activity_7' => ':contact vió la factura :invoice',
+ 'activity_8' => ':user archivó la factura :invoice',
+ 'activity_9' => ':user eliminó la factura :invoice',
+ 'activity_10' => ':contact ingresó el pago :payment for :invoice',
+ 'activity_11' => ':user actualizó el pago :payment',
+ 'activity_12' => ':user archivó el pago :payment',
+ 'activity_13' => ':user eliminó el pago :payment',
+ 'activity_14' => ':user ingresó :credit créditos',
+ 'activity_15' => ':user actualizó :credit créditos',
+ 'activity_16' => ':user archivó :credit créditos',
+ 'activity_17' => ':user eliminó :credit créditos',
+ 'activity_18' => ':user creó la cotización :quote',
+ 'activity_19' => ':user actualizó la cotización :quote',
+ 'activity_20' => ':user envió por correo electrónico la cotización :quote to :contact',
+ 'activity_21' => ':contact vió la cotización :quote',
+ 'activity_22' => ':user archivó la cotización :quote',
+ 'activity_23' => ':user eliminó la cotización :quote',
+ 'activity_24' => ':user restauró la cotización :quote',
+ 'activity_25' => ':user restauró factura :invoice',
+ 'activity_26' => ':user restauró el cliente :client',
+ 'activity_27' => ':user restauró el pago :payment',
+ 'activity_28' => ':user restauró :credit créditos',
+ 'activity_29' => ':contact aprovó la cotización :quote',
+ 'activity_30' => ':user creó al vendedor :vendor',
+ 'activity_31' => ':user archivó al vendedor :vendor',
+ 'activity_32' => ':user eliminó al vendedor :vendor',
+ 'activity_33' => ':user restauró al vendedor :vendor',
+ 'activity_34' => ':user creó expense :expense',
+ 'activity_35' => ':user archivó el gasto :expense',
+ 'activity_36' => ':user eliminó el gasto :expense',
+ 'activity_37' => ':user restauró el gasto :expense',
+ 'activity_42' => ':user creó la tarea :task',
+ 'activity_43' => ':user actualizó la tarea :task',
+ 'activity_44' => ':user archivó la tarea :task',
+ 'activity_45' => ':user eliminó la tarea :task',
+ 'activity_46' => ':user restauró la tarea :task',
+ 'activity_47' => ':user actrulizó el gasto :expense',
+ 'payment' => 'pago',
+ 'system' => 'Sistema',
+ 'signature' => 'Firma del correo',
+ 'default_messages' => 'Mensajes por defecto',
+ 'quote_terms' => 'Terminos de Cotización',
+ 'default_quote_terms' => 'Terminos de Cotización por defecto',
+ 'default_invoice_terms' => 'Configurar términos de factura por defecto',
+ 'default_invoice_footer' => 'Asignar pie de página por defecto para la factura',
+ 'quote_footer' => 'Pie de la Cotización',
+ 'free' => 'Gratis',
+ 'quote_is_approved' => 'Aprobado exitosamente ',
+ 'apply_credit' => 'Aplicar Crédito',
+ 'system_settings' => 'Configuración del Sistema',
+ 'archive_token' => 'Archivar Token',
+ 'archived_token' => 'Token archivado',
+ 'archive_user' => 'Archivar Usuario',
+ 'archived_user' => 'Usuario archivado',
+ 'archive_account_gateway' => 'Archivar Pasarela',
+ 'archived_account_gateway' => 'Pasarela archivada',
+ 'archive_recurring_invoice' => 'Archivar Factura periódica',
+ 'archived_recurring_invoice' => 'Factura periódica archivada',
+ 'delete_recurring_invoice' => 'Borrar Factura periódica',
+ 'deleted_recurring_invoice' => 'Factura periódica borrada',
+ 'restore_recurring_invoice' => 'Restaurar Factura periódica ',
+ 'restored_recurring_invoice' => 'Factura periódica restaurada',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archivado',
+ 'untitled_account' => 'Compañía sin Nombre',
+ 'before' => 'Antes',
+ 'after' => 'Después',
+ 'reset_terms_help' => 'Reestablecer los términos de cuenta predeterminados',
+ 'reset_footer_help' => 'Reestablecer el pie predeterminado',
+ 'export_data' => 'Exportar',
+ 'user' => 'Usuario',
+ 'country' => 'País',
+ 'include' => 'Incluir',
+ 'logo_too_large' => 'El logo es :size, para un buen rendimiento del PDF, sugerimos cargar una imagen de menos de 200KB',
+ 'import_freshbooks' => 'Importar desde FreshBooks',
+ 'import_data' => 'Importar datos',
+ 'source' => 'Origen',
+ 'csv' => 'CSV',
+ 'client_file' => 'Archivo de Clientes',
+ 'invoice_file' => 'Archivo de Facturas',
+ 'task_file' => 'Archivo de Tareas',
+ 'no_mapper' => 'Mapeo no válido para el Archivo',
+ 'invalid_csv_header' => 'Cabecera CSV no Válida',
+ 'client_portal' => 'Portal de Cliente',
+ 'admin' => 'Admin.',
+ 'disabled' => 'Deshabilitado',
+ 'show_archived_users' => 'Mostrar usuarios archivados',
+ 'notes' => 'Notas',
+ 'invoice_will_create' => 'la factura será creada',
+ 'invoices_will_create' => 'facturas seran creadas',
+ 'failed_to_import' => 'Los siguientes registros fallaron al importar',
+ 'publishable_key' => 'Clave pública',
+ 'secret_key' => 'Clave Privada',
+ 'missing_publishable_key' => 'Establece tu clave pública de Stripe para mejorar el proceso de checkout',
+ 'email_design' => 'Diseño de Correo',
+ 'due_by' => 'Pagado en :date',
+ 'enable_email_markup' => 'Habilitar Markup',
+ 'enable_email_markup_help' => 'Haga que sea fácil para sus clientes que paguen mediante la adición de marcas "schema.org" a sus correos electrónicos.',
+ 'template_help_title' => 'Ayuda',
+ 'template_help_1' => 'Variables disponibles:',
+ 'email_design_id' => 'Estilo de Correo',
+ 'email_design_help' => 'Haga que sus mensajes de correo electrónico tengan un aspecto más profesional con diseños HTML',
+ 'plain' => 'Plano',
+ 'light' => 'Claro',
+ 'dark' => 'Oscuro',
+ 'industry_help' => 'Usado para proporcionar comparaciones de las medias de las empresas de tamaño y industria similar.',
+ 'subdomain_help' => 'Asigne el suubdominio o mostrar la factura en su propio sitio web.',
+ 'website_help' => 'Mostrar la factura en un iFrame de su sitio web',
+ 'invoice_number_help' => 'Especifique un prefijo o utilice un patrón a medida para establecer dinámicamente el número de factura.',
+ 'quote_number_help' => 'Especifique un prefijo o utilice un patrón a medida para establecer dinámicamente el número de presupuesto.',
+ 'custom_client_fields_helps' => 'Agregue un campo al crear un cliente y, opcionalmente, muestre la etiqueta y el valor en el PDF.',
+ 'custom_account_fields_helps' => 'Añadir una etiqueta y valor a la sección de detalles de la empresa del PDF.',
+ 'custom_invoice_fields_helps' => 'Agregue un campo al crear una factura y, opcionalmente, muestre la etiqueta y el valor en el PDF.',
+ 'custom_invoice_charges_helps' => 'gregar una entrada de texto a la pagina de crear/editar factura y mostrar la carga en los subtotales de la factura.',
+ 'token_expired' => 'Token de validación ha caducado. Por favor, vuelva a intentarlo.',
+ 'invoice_link' => 'Enlace a Factura',
+ 'button_confirmation_message' => 'Pulse aqui para confirmar su dirección de correo.',
+ 'confirm' => 'Confirmar',
+ 'email_preferences' => 'Preferencias de Correo',
+ 'created_invoices' => ':count factura(s) creada(s) correctamente',
+ 'next_invoice_number' => 'El próximo número de factura es :number.',
+ 'next_quote_number' => 'El próximo número de presupuesto es :number.',
+ 'days_before' => 'días antes de',
+ 'days_after' => 'días después de',
+ 'field_due_date' => 'fecha de pago',
+ 'field_invoice_date' => 'fecha de factura',
+ 'schedule' => 'Programar',
+ 'email_designs' => 'Diseños de correo',
+ 'assigned_when_sent' => 'Asignado al enviar',
+ 'white_label_purchase_link' => 'Comprar licencia de marca blanca',
+ 'expense' => 'Gasto',
+ 'expenses' => 'Gastos',
+ 'new_expense' => 'Ingrese el Gasto',
+ 'enter_expense' => 'Introducir Gasto',
+ 'vendors' => 'Proveedores',
+ 'new_vendor' => 'Nuevo Proveedor',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Proveedor',
+ 'edit_vendor' => 'Editar Proveedor',
+ 'archive_vendor' => 'Archivar Proveedor',
+ 'delete_vendor' => 'Borrar Proveedor',
+ 'view_vendor' => 'Ver Proveedor',
+ 'deleted_expense' => 'Gasto borrado correctamente',
+ 'archived_expense' => 'Gasto archivado correctamente',
+ 'deleted_expenses' => 'Gastos borrados correctamente',
+ 'archived_expenses' => 'Gastos archivados correctamente',
+ 'expense_amount' => 'Importe del Gasto',
+ 'expense_balance' => 'Saldo del Gasto',
+ 'expense_date' => 'Fecha del Gasto',
+ 'expense_should_be_invoiced' => '¿Este gasto debe ser facturado?',
+ 'public_notes' => 'Notas',
+ 'invoice_amount' => 'Importe de Factura',
+ 'exchange_rate' => 'Tipo de Cambio',
+ 'yes' => 'Si',
+ 'no' => 'No',
+ 'should_be_invoiced' => 'Debe ser Facturado',
+ 'view_expense' => 'Ver gasto # :expense',
+ 'edit_expense' => 'Editar Gasto',
+ 'archive_expense' => 'Archivar Gasto',
+ 'delete_expense' => 'Borrar Gasto',
+ 'view_expense_num' => 'Gasto # :expense',
+ 'updated_expense' => 'Gasto actualizado correctamente',
+ 'created_expense' => 'Gasto creado correctamente',
+ 'enter_expense' => 'Introducir Gasto',
+ 'view' => 'Ver',
+ 'restore_expense' => 'Restaurar Gasto',
+ 'invoice_expense' => 'Facturar Gasto',
+ 'expense_error_multiple_clients' => 'Los gastos no pertenecen a diferentes clientes',
+ 'expense_error_invoiced' => 'El gasto ya ha sido Facturado',
+ 'convert_currency' => 'Convertir moneda',
+ 'num_days' => 'Número de Días',
+ 'create_payment_term' => 'Crear Términos de Pago',
+ 'edit_payment_terms' => 'Editar los Términos de Pago',
+ 'edit_payment_term' => 'Editar el Términos de Pago',
+ 'archive_payment_term' => 'Archivar Términos de Pago',
+ 'recurring_due_dates' => 'Fecha de Vencimiento de Factura Recurrente',
+ 'recurring_due_date_help' => 'Define automáticamente una fecha de vencimiento de la factura.
+ Facturas en un ciclo mensual o anual preparadas para vencer el día que se crearon o antes, vencerán al siguiente mes. Facturas preparadas para vencer el 29 o el 30, en los meses que no tienen ese día, vencerán el último día del mes
+ (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.)
+ Facturas en un ciclo semanal preparadas para vencer el día de la semana que se crearon, vencerán a la siguiente semana.
+ (Invoices on a weekly cycle set to be due on the day of the week they are created will be due the next week.)
+ Por ejemplo:
+
+ - Hoy es día 15, la fecha de vencimiento es el día 1 de cada mes. La fecha de vencimiento deberá ser el día 1 del siguiente mes.
+ - Hoy es día 15, la fecha de vencimiento es el último día de cada mes. La fecha de vencimiento deberá ser el último día de este mes.
+ - Hoy es día 15, la fecha de vencimiento es el día 15 de cada mes. La fecha de vencimiento deberá ser el día 15 del siguiente mes.
+ - Hoy es Viernes, la fecha de vencimiento es Viernes. La fecha de vencimiento deberá ser el siguiente Viernes, no hoy.
+
',
+ 'due' => 'Vencimiento',
+ 'next_due_on' => 'Próximo Vencimiento: :date',
+ 'use_client_terms' => 'Utilizar términos del cliente',
+ 'day_of_month' => ':ordinal día del mes',
+ 'last_day_of_month' => 'Último día del mes',
+ 'day_of_week_after' => ':ordinal :day despues',
+ 'sunday' => 'Domingo',
+ 'monday' => 'Lunes',
+ 'tuesday' => 'Martes',
+ 'wednesday' => 'Miércoles',
+ 'thursday' => 'Jueves',
+ 'friday' => 'Viernes',
+ 'saturday' => 'Sábado',
+ 'header_font_id' => 'Tipo de letra de la cabecera',
+ 'body_font_id' => 'Tipo de letra del cuerpo',
+ 'color_font_help' => 'Nota: el color primario y las fuentes también se utilizan en el portal del cliente y los diseños de correo electrónico personalizados.',
+ 'live_preview' => 'Live Preview',
+ 'invalid_mail_config' => 'Imposible enviar el correo, por favor, comprobar que la configuración de correo es correcta.',
+ 'invoice_message_button' => 'Para ver su factura con importe :amount, pulse el siguiente botón.',
+ 'quote_message_button' => 'Para ver su presupuesto con importe :amount, pulse el siguiente botón.',
+ 'payment_message_button' => 'Gracias por su pago de :amount.',
+ 'payment_type_direct_debit' => 'Débito Automático',
+ 'bank_accounts' => 'Cuentas Bancarias',
+ 'add_bank_account' => 'Añadir Cuenta Bancaria',
+ 'setup_account' => 'Configurar Cuenta',
+ 'import_expenses' => 'Importar Gastos',
+ 'bank_id' => 'banco',
+ 'integration_type' => 'Tipo de Integración',
+ 'updated_bank_account' => 'Cuenta Bancaria actualizada correctamente',
+ 'edit_bank_account' => 'Editar Cuenta Bancaria',
+ 'archive_bank_account' => 'Archivar Cuenta Bancaria',
+ 'archived_bank_account' => 'Cuenta Bancaria archivada correctamente',
+ 'created_bank_account' => 'Cuenta Bancaria creada correctamente',
+ 'validate_bank_account' => 'Validar Cuenta Bancaria',
+ 'bank_password_help' => 'Nota: su contraseña es transmitida de manera secura y nunca almacenada en nuestros servidores.',
+ 'bank_password_warning' => 'Advertencia: su contraseña puede ser transmitida en texto plano, considere habilitar HTTPS.',
+ 'username' => 'Usuario',
+ 'account_number' => 'Número de Cuenta',
+ 'account_name' => 'Nombre de Cuenta',
+ 'bank_account_error' => 'No fue posible obtener los detalles de la cuenta, por favor chequea tus credenciales.',
+ 'status_approved' => 'Aprobado',
+ 'quote_settings' => 'Configuración de Presupuestos',
+ 'auto_convert_quote' => 'Auto Convertir',
+ 'auto_convert_quote_help' => 'Convierte un presupuesto en factura automaticamente cuando los aprueba el cliente.',
+ 'validate' => 'Validar',
+ 'info' => 'Info',
+ 'imported_expenses' => ' :count_vendors proveedor(es) y :count_expenses gasto(s) importados correctamente',
+ 'iframe_url_help3' => 'Nota: Si piensas aceptar tarjetas de crédito recomendamos tener habilitado HTTPS.',
+ 'expense_error_multiple_currencies' => 'Los gastos no pueden tener distintas divisas.',
+ 'expense_error_mismatch_currencies' => 'La divisa del cliente no coincide con la divisa del gasto.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Encabezado/Pie',
+ 'first_page' => 'Primera página',
+ 'all_pages' => 'Todas las páginas',
+ 'last_page' => 'Última página',
+ 'all_pages_header' => 'Mostrar encabezado',
+ 'all_pages_footer' => 'Mostrar pie',
+ 'invoice_currency' => 'Divisa de la Factura',
+ 'enable_https' => 'We strongly recommend using HTTPS to accept credit card details online.',
+ 'quote_issued_to' => 'Cotización emitida para',
+ 'show_currency_code' => 'Código de Divisa',
+ 'free_year_message' => 'Su cuenta ha sido actualizada al plan pro por un año, sin ningún costo.',
+ 'trial_message' => 'Your account will receive a free two week trial of our pro plan.',
+ 'trial_footer' => 'Su prueba gratuita del plan pro tiene :count días más, :link para actualizar ahora.',
+ 'trial_footer_last_day' => 'Este es el último día de su prueba gratuita del plan pro, :link para actualizar ahora.',
+ 'trial_call_to_action' => 'Start Free Trial',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Overdue',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'Para ajustar la configuración de las notificaciones de tu correo, visita :link',
+ 'reset_password_footer' => 'Si no has solicitado un cambio de contraseña, por favor contactate con nosostros: :email',
+ 'limit_users' => 'Lo sentimos, esta acción excederá el límite de :limit usarios',
+ 'more_designs_self_host_header' => 'Adquiera 6 diseños adicionales de facturas por solo $:price',
+ 'old_browser' => 'Por favor usa un :link',
+ 'newer_browser' => 'nuevo navegador',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Conecta una cuenta bancaria para importar gastos automáticamente y crear vendedores. soporta American Express y :link.',
+ 'us_banks' => '400+ bancos de Estados Unidos',
+
+ 'pro_plan_remove_logo' => ':link haz click para eliminar el logo de Invoice Ninja',
+ 'pro_plan_remove_logo_link' => 'Haz clic aquí',
+ 'invitation_status_sent' => 'Enviado',
+ 'invitation_status_opened' => 'Abierto',
+ 'invitation_status_viewed' => 'Visto',
+ 'email_error_inactive_client' => 'No se pueden enviar correos a Clientes inactivos',
+ 'email_error_inactive_contact' => 'No se pueden enviar correos a Contactos inactivos',
+ 'email_error_inactive_invoice' => 'No se pueden enviar correos de Facturas inactivas',
+ 'email_error_inactive_proposal' => 'No se pueden enviar emails a propuestas inactivas',
+ 'email_error_user_unregistered' => 'Por favor registre su cuenta para enviar correos',
+ 'email_error_user_unconfirmed' => 'Por favor confirme su cuenta para enviar correos',
+ 'email_error_invalid_contact_email' => 'Correo de contacto no válido',
+
+ 'navigation' => 'Navegación',
+ 'list_invoices' => 'Listar Facturas',
+ 'list_clients' => 'Listar Clientes',
+ 'list_quotes' => 'Listar Cotizaciones',
+ 'list_tasks' => 'Listar Tareas',
+ 'list_expenses' => 'Listar Gastos',
+ 'list_recurring_invoices' => 'Listar Facturas Recurrentes',
+ 'list_payments' => 'Listar Pagos',
+ 'list_credits' => 'Listar Créditos',
+ 'tax_name' => 'Nombre de Impuesto',
+ 'report_settings' => 'Configuración de Reportes',
+ 'search_hotkey' => 'Atajo es /',
+
+ 'new_user' => 'Nuevo Usuario',
+ 'new_product' => 'Nuevo Producto',
+ 'new_tax_rate' => 'Nueva Tasa de Impuesto',
+ 'invoiced_amount' => 'Importe Facturado',
+ 'invoice_item_fields' => 'Campos de Ítem de Factura',
+ 'custom_invoice_item_fields_help' => 'Agregar un campo al crear un ítem de factura y mostrar la etiqueta y valor en el PDF.',
+ 'recurring_invoice_number' => 'Número Recurrente',
+ 'recurring_invoice_number_prefix_help' => 'Especifique un prefijo para ser añadido al número de factura para facturas recurrentes. ',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Proteger Facturas con Contraseña',
+ 'enable_portal_password_help' => 'Permite establecer una contraseña para cada contacto. Si una contraseña es establecida, se le será solicitada al contacto para acceder a sus facturas.',
+ 'send_portal_password' => 'Generar Automáticamente ',
+ 'send_portal_password_help' => 'Si no se establece una contraseña, será generada automáticamente con la primer factura.',
+
+ 'expired' => 'Vencida',
+ 'invalid_card_number' => 'El número de tarjeta de crédito no es válido.',
+ 'invalid_expiry' => 'La fecha de vencimiento no es válida.',
+ 'invalid_cvv' => 'El CVV no es válido.',
+ 'cost' => 'Costo',
+ 'create_invoice_for_sample' => 'Nota: cree una factura para previsualizarla aquí.',
+
+ // User Permissions
+ 'owner' => 'Propietario',
+ 'administrator' => 'Administrador',
+ 'administrator_help' => 'Permitir que administre usuarios, cambie configuraciones y modifique cualquier registro',
+ 'user_create_all' => 'Crear clientes, facturas, etc.',
+ 'user_view_all' => 'Ver todos los clientes, facturas, etc.',
+ 'user_edit_all' => 'Editar todos los clientes, facturas, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Partial Due',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'Enero',
+ 'february' => 'Febrero',
+ 'march' => 'Marzo',
+ 'april' => 'Abril',
+ 'may' => 'Mayo',
+ 'june' => 'Junio',
+ 'july' => 'Julio',
+ 'august' => 'Agosto',
+ 'september' => 'Septiembre',
+ 'october' => 'Octubre',
+ 'november' => 'Noviembre',
+ 'december' => 'Diciembre',
+
+ // Documents
+ 'documents_header' => 'Documentos:',
+ 'email_documents_header' => 'Documentos:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Documentos de Cotización',
+ 'invoice_documents' => 'Documentos de Factura',
+ 'expense_documents' => 'Documentos de Gasto',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Adjuntar UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Dashboard',
+ 'enable_client_portal_help' => 'Show/hide the dashboard page in the client portal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Account Management',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Mensual',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Mes',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Live Preview',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Regresar a la App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refund Payment',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Refund',
+ 'are_you_sure_refund' => 'Refund selected payments?',
+ 'status_pending' => 'Pending',
+ 'status_completed' => 'Completed',
+ 'status_failed' => 'Failed',
+ 'status_partially_refunded' => 'Partially Refunded',
+ 'status_partially_refunded_amount' => ':amount Refunded',
+ 'status_refunded' => 'Refunded',
+ 'status_voided' => 'Cancelled',
+ 'refunded_payment' => 'Refunded Payment',
+ 'activity_39' => ':usaer canceló :payment_amount pago :payment',
+ 'activity_40' => ':user reembolsó :adjustment de un pago de :payment_amount :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Unknown',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Aceptar transferencias bancarias de Estados Unidos',
+ 'stripe_ach_help' => 'El soporte ACH también debe ser habilitado en :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Client Id',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'cuando se te entrega una llave de prueba de Stripe, se usará el ambiente de desarrollo de Plaid (tartan). ',
+ 'other_providers' => 'Other Providers',
+ 'country_not_supported' => 'That country is not supported.',
+ 'invalid_routing_number' => 'The routing number is not valid.',
+ 'invalid_account_number' => 'The account number is not valid.',
+ 'account_number_mismatch' => 'The account numbers do not match.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Company Account',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Add Account',
+ 'payment_methods' => 'Payment Methods',
+ 'complete_verification' => 'Complete Verification',
+ 'verification_amount1' => 'Amount 1',
+ 'verification_amount2' => 'Amount 2',
+ 'payment_method_verified' => 'Verification completed successfully',
+ 'verification_failed' => 'Verification Failed',
+ 'remove_payment_method' => 'Remove Payment Method',
+ 'confirm_remove_payment_method' => 'Are you sure you want to remove this payment method?',
+ 'remove' => 'Remove',
+ 'payment_method_removed' => 'Removed payment method.',
+ 'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Unknown Bank',
+ 'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
+ 'add_credit_card' => 'Add Credit Card',
+ 'payment_method_added' => 'Added payment method.',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'You must :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'agrega esta URL como endpoint en GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Add Payment Method',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Always',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Enabled',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Save payment details',
+ 'add_paypal_account' => 'Add PayPal Account',
+
+
+ 'no_payment_method_specified' => 'No payment method specified',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Format',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Company Name',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Manage Account',
+ 'action_required' => 'Action Required',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'La siguiente factura será creada con la nueva fecha de inicio.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Security',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Archivo de Productos',
+ 'import_products' => 'Importar productos',
+ 'products_will_create' => 'productos serán creados',
+ 'product_key' => 'Producto',
+ 'created_products' => 'Creación exitosa/actualización :cuenta producto(s)',
+ 'export_help' => 'Use JSON si planea importar la información en Invoice Ninja.
El archivo incluye clientes, productos, facturas, cotizaciones y pagos.',
+ 'selfhost_export_help' => '
Nosotros recomendamos usar mysqldump para realizar una copia de seguridad completa.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'View Dashboard',
+ 'client_session_expired' => 'Session Expired',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bank account',
+ 'auto_bill_payment_method_credit_card' => 'credit card',
+ 'auto_bill_payment_method_paypal' => 'PayPal account',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Payment Settings',
+
+ 'on_send_date' => 'On send date',
+ 'on_due_date' => 'On due date',
+ 'auto_bill_ach_date_help' => 'ACH siempre facturará automáticamente en la fecha de vencimiento.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bank Account',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privacy Policy',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Verification Pending',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'More options',
+ 'credit_card' => 'Credit Card',
+ 'bank_transfer' => 'Bank Transfer',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Added :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'This gateway already exists',
+ 'manual_entry' => 'Manual entry',
+ 'start_of_week' => 'Primer Día de la Semana',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactivo',
+ 'freq_daily' => 'Diario',
+ 'freq_weekly' => 'Weekly',
+ 'freq_biweekly' => 'Quincenal',
+ 'freq_two_weeks' => 'Two weeks',
+ 'freq_four_weeks' => 'Four weeks',
+ 'freq_monthly' => 'Mensual',
+ 'freq_three_months' => 'Tres meses',
+ 'freq_four_months' => 'Cuatro meses',
+ 'freq_six_months' => 'Seis meses',
+ 'freq_annually' => 'Annually',
+ 'freq_two_years' => 'Dos años',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Bank Transfer',
+ 'payment_type_Cash' => 'Cash',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Credit Card Other',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Silbido',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'Débito Directo SEPA',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Restaurant & Catering' => 'Restaurante & catering',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' => 'Photography',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'España',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Español - España',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Griego',
+ 'lang_English - United Kingdom' => 'Inglés - Reino Unido',
+ 'lang_Slovenian' => 'Esloveno',
+ 'lang_Finnish' => 'Finlandés',
+ 'lang_Romanian' => 'Romano',
+ 'lang_Turkish - Turkey' => 'Turco - Turquía',
+ 'lang_Portuguese - Brazilian' => 'Portugués - Brasil',
+ 'lang_Portuguese - Portugal' => 'Portugués - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' =>'Photography',
+
+ 'view_client_portal' => 'View client portal',
+ 'view_portal' => 'View Portal',
+ 'vendor_contacts' => 'Vendor Contacts',
+ 'all' => 'All',
+ 'selected' => 'Selected',
+ 'category' => 'Category',
+ 'categories' => 'Categories',
+ 'new_expense_category' => 'New Expense Category',
+ 'edit_category' => 'Edit Category',
+ 'archive_expense_category' => 'Archive Category',
+ 'expense_categories' => 'Expense Categories',
+ 'list_expense_categories' => 'List Expense Categories',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Apply taxes',
+ 'min_to_max_users' => ':min to :max users',
+ 'max_users_reached' => 'The maximum number of users has been reached.',
+ 'buy_now_buttons' => 'Buy Now Buttons',
+ 'landing_page' => 'Landing Page',
+ 'payment_type' => 'Payment Type',
+ 'form' => 'Form',
+ 'link' => 'Link',
+ 'fields' => 'Fields',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Nota: el cliente y la factura se crean aún cuando la transacción no se completa.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Enable support for buy now buttons',
+ 'changes_take_effect_immediately' => 'Note: changes take effect immediately',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Tarifa: 2.9%/1.2% [Tarjeta de Crédito/Transferencia Bancaria] + $0.30 por cargo exitoso.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Something went wrong',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Please select a contact',
+ 'no_client_selected' => 'Please select a client',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Adicionar 1 :producto',
+ 'not_authorized' => 'You are not authorized',
+ 'bot_get_email' => 'Hola! (wave)
Gracias por intentar usar el Bot de Invoice Ninja
Para poder usar este bot necesitas crear un cuenta gratuíta.
Envíame la dirección de correo de tu cuenta para que empecemos.',
+ 'bot_get_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'Lista de Productos',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and Twitter',
+ 'facebook_and_twitter_help' => 'Follow our feeds to help support our project',
+ 'reseller_text' => 'Nota: la licencia etiqueta-blanca está pensada para uso personal, por favor, envíenos un email a :email si está interesado en revender la app.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Day',
+ 'week' => 'Week',
+ 'month' => 'Mes',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Informes',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Date Range',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restaurar Producto',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'Hubo un error al guardar su factura.',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Ayúdenos con las traducciones desde :link',
+ 'expense_category' => 'Categoría de Gastos',
+
+ 'go_ninja_pro' => 'Ir a Ninja Pro!',
+ 'go_enterprise' => 'Ir a modo empresa!',
+ 'upgrade_for_features' => 'Actualícese De Versión Para Más Funcionalidades',
+ 'pay_annually_discount' => 'Pague anualmente por 10 meses y obtenga 2 gratis!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'SuMarca.invoiceninja.com',
+ 'pro_upgrade_feature2' => 'Personalice cada aspecto de su factura!',
+ 'enterprise_upgrade_feature1' => 'Asigne permisos para múltiples usuarios',
+ 'enterprise_upgrade_feature2' => 'Adjunte archivos de terceros a facturas y gastos',
+ 'much_more' => 'Mucho mas!',
+ 'all_pro_fetaures' => 'Más todas las funcionalidades del plan pro!',
+
+ 'currency_symbol' => 'Símbolo',
+ 'currency_code' => 'Codigo',
+
+ 'buy_license' => 'Comprar Licencia',
+ 'apply_license' => 'Activar Licencia',
+ 'submit' => 'Enviar',
+ 'white_label_license_key' => 'Llave de la Licencia',
+ 'invalid_white_label_license' => 'La licencia de etiqueta blanca no es válida',
+ 'created_by' => 'Creado por :name',
+ 'modules' => 'Módulos',
+ 'financial_year_start' => 'Primer Mes del Año',
+ 'authentication' => 'Autenticación',
+ 'checkbox' => 'Casilla',
+ 'invoice_signature' => 'Firma',
+ 'show_accept_invoice_terms' => 'Casilla de los Términos de la Factura',
+ 'show_accept_invoice_terms_help' => 'Requerir que el cliente confirme que aceptó los términos de la factura.',
+ 'show_accept_quote_terms' => 'Casilla de los Términos de la Cotización',
+ 'show_accept_quote_terms_help' => 'Requerir que el cliente confirme que aceptó los términos de la cotización.',
+ 'require_invoice_signature' => 'Firma de la Facturra',
+ 'require_invoice_signature_help' => 'Requerir que el cliente provea su firma.',
+ 'require_quote_signature' => 'Firma de la Cotización',
+ 'require_quote_signature_help' => 'Requerir que el cliente provea su firma.',
+ 'i_agree' => 'Estoy de Acuerdo con los Términos',
+ 'sign_here' => 'Por favor firme aquí:',
+ 'authorization' => 'Autorización',
+ 'signed' => 'Firmado',
+
+ // BlueVine
+ 'bluevine_promo' => 'Obtenga líneas de cŕedito flexibles y factoring de facturas usando BlueVine.',
+ 'bluevine_modal_label' => 'Inscríbase con BlueVine',
+ 'bluevine_modal_text' => 'Rápida financiación para su Negocio. Sin papeleo.
+- Líneas de cŕedito flexibles y factoring.
',
+ 'bluevine_create_account' => 'Cree una cuenta',
+ 'quote_types' => 'Obtenga una cotización para',
+ 'invoice_factoring' => 'Factoring de facturas',
+ 'line_of_credit' => 'Línea de crédito',
+ 'fico_score' => 'Su puntuación FICO',
+ 'business_inception' => 'Fecha de Creación del Negocio',
+ 'average_bank_balance' => 'Promedio del saldo de la cuenta bancaria',
+ 'annual_revenue' => 'Ingresos anuales',
+ 'desired_credit_limit_factoring' => 'Límite de factoring de facturas deseado',
+ 'desired_credit_limit_loc' => 'Límite de línea de crédito deseado',
+ 'desired_credit_limit' => 'Límite de crédito deseado',
+ 'bluevine_credit_line_type_required' => 'Debe seleccionar al menos una',
+ 'bluevine_field_required' => 'Este campo es requerido',
+ 'bluevine_unexpected_error' => 'Un error inesperado ha ocurrido.',
+ 'bluevine_no_conditional_offer' => 'Más información es requerida para obtener una cotización. Haga clic en continuar a continuación.',
+ 'bluevine_invoice_factoring' => 'Factoring de facturas',
+ 'bluevine_conditional_offer' => 'Oferta Condicional',
+ 'bluevine_credit_line_amount' => 'Línea de Crédito',
+ 'bluevine_advance_rate' => 'Tasa Avanzada',
+ 'bluevine_weekly_discount_rate' => 'Tasa de Descuento Semanal',
+ 'bluevine_minimum_fee_rate' => 'Cuota Mínima',
+ 'bluevine_line_of_credit' => 'Línea de Crédito ',
+ 'bluevine_interest_rate' => 'Tasa de Interéz',
+ 'bluevine_weekly_draw_rate' => 'Tasa de Retiro Semanal',
+ 'bluevine_continue' => 'Continúe a BlueVine',
+ 'bluevine_completed' => 'Inscripción en BlueVine completa',
+
+ 'vendor_name' => 'Vendedor',
+ 'entity_state' => 'Estado',
+ 'client_created_at' => 'Fecha de Creación',
+ 'postmark_error' => 'Hubo un problema enviando el correo a través de Postmark :link',
+ 'project' => 'Projecto',
+ 'projects' => 'Proyectos',
+ 'new_project' => 'Nuevo Proyecto',
+ 'edit_project' => 'Editar Proyecto',
+ 'archive_project' => 'Archivar Proyecto',
+ 'list_projects' => 'Listar Proyectos',
+ 'updated_project' => 'Proyecto actualizado con éxito',
+ 'created_project' => 'Proyecto creado con éxito',
+ 'archived_project' => 'Proyecto archivado con éxito',
+ 'archived_projects' => 'Archivados con éxito :count proyectos',
+ 'restore_project' => 'Restaurar Proyecto',
+ 'restored_project' => 'Proyecto restaurado con éxito',
+ 'delete_project' => 'Eliminar Proyecto',
+ 'deleted_project' => 'Proyecto eliminado con éxito',
+ 'deleted_projects' => 'Eliminados con éxito :count proyectos',
+ 'delete_expense_category' => 'Eliminar categoría',
+ 'deleted_expense_category' => 'Categoría actualizada con éxito',
+ 'delete_product' => 'Eliminar Producto',
+ 'deleted_product' => 'Producto actualizado con éxito',
+ 'deleted_products' => 'Eliminados con éxito :count productos',
+ 'restored_product' => 'Producto restaurado con éxito',
+ 'update_credit' => 'Actualizar Crédito',
+ 'updated_credit' => 'Crédito actualizado con éxito',
+ 'edit_credit' => 'Editar Crédito',
+ 'live_preview_help' => 'Mostrar una previsualización del PDF en la página de la factura.
Habilite esto si so navegador está descargando automáticamente el archivo PDF.',
+ 'force_pdfjs_help' => 'Reemplazar el visor de archivos PDF incorporado de :chrome_link y :firefox_link.
Habilite esto si su navegador está descargando automáticamente el archivo PDF.',
+ 'force_pdfjs' => 'Prevenir Descarga',
+ 'redirect_url' => 'URL de Redirección',
+ 'redirect_url_help' => 'Opcionalmente, especifique una URL para redireccionar luego que se ingrese el pago.',
+ 'save_draft' => 'Guardar Borrador',
+ 'refunded_credit_payment' => 'Pago de crédito reembolsado',
+ 'keyboard_shortcuts' => 'Atajos de Teclado',
+ 'toggle_menu' => 'Alternar Menú',
+ 'new_...' => 'Nuevo ...',
+ 'list_...' => 'Listar ...',
+ 'created_at' => 'Fecha de Creación',
+ 'contact_us' => 'Contáctenos',
+ 'user_guide' => 'Guía de Usuario',
+ 'promo_message' => 'Actualícese antes de :expires y obtenga :amount de descuento en su primer año con nuestros paquetes Pro o Enterprise.',
+ 'discount_message' => ':amount de descuento expira en :expira',
+ 'mark_paid' => 'Marcar como Pagado',
+ 'marked_sent_invoice' => 'Factura marcada como enviada con éxito',
+ 'marked_sent_invoices' => 'Facturas marcadas como enviadas con éxito',
+ 'invoice_name' => 'Factura',
+ 'product_will_create' => 'el producto será creado',
+ 'contact_us_response' => 'Gracias por su mensaje! Intentaremos responderle lo antes posible.',
+ 'last_7_days' => 'Últimos 7 días',
+ 'last_30_days' => 'Últimos 30 Días',
+ 'this_month' => 'Este Mes',
+ 'last_month' => 'Mes Anterior',
+ 'last_year' => 'Año Anterior',
+ 'custom_range' => 'Rango Personalizado',
+ 'url' => 'URL',
+ 'debug' => 'Depurar',
+ 'https' => 'HTTPS',
+ 'require' => 'Requerir',
+ 'license_expiring' => 'Nota: Su licencia expira en :count días, renuévela en :link',
+ 'security_confirmation' => 'Su dirección de correo electrónico ha sido confirmada',
+ 'white_label_expired' => 'Su licencia de etiqueta blanca ha expirado, por favor considere renovarla para ayudar a soportar a nuestro proyecto.',
+ 'renew_license' => 'Renovar Licencia',
+ 'iphone_app_message' => 'Considere descargando nuestro :link',
+ 'iphone_app' => 'app para iPhone',
+ 'android_app' => 'App Android',
+ 'logged_in' => 'Conectado',
+ 'switch_to_primary' => 'CDámbiese a su compañía principal (:name) para administrar su plan.',
+ 'inclusive' => 'Inclusivo',
+ 'exclusive' => 'Exclusivo',
+ 'postal_city_state' => 'Código Postal/Ciudad/Estado',
+ 'phantomjs_help' => 'En algunos casos la aplicación usa :link_phantom para el PDF, instale :link_docs para generarlo localmente.',
+ 'phantomjs_local' => 'Usar PhantomJS local',
+ 'client_number' => 'Cliente Número',
+ 'client_number_help' => 'Especifique un prefijo o use un patrón personalizado para asignar dinámicamente el número de cliente.',
+ 'next_client_number' => 'El siguiente número de cliente es :number.',
+ 'generated_numbers' => 'Números Generados',
+ 'notes_reminder1' => 'Primer Recordatorio',
+ 'notes_reminder2' => 'Segundo Recordatorio',
+ 'notes_reminder3' => 'Tercer Recordatorio',
+ 'bcc_email' => 'Correo para Copia Oculta BCC',
+ 'tax_quote' => 'Cotización con Impuestos',
+ 'tax_invoice' => 'Factura con Impuestos',
+ 'emailed_invoices' => 'Facturas enviadas por correo electrónico con éxito.',
+ 'emailed_quotes' => 'Cotizaciones enviadas por correo electrónico con éxito.',
+ 'website_url' => 'Dirección del Sitio Web',
+ 'domain' => 'Dominio',
+ 'domain_help' => 'Usado en el portal de clientes y al enviar correos electrónicos.',
+ 'domain_help_website' => 'Usado al enviar correos electrónicos.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Importar Facturas',
+ 'new_report' => 'Nuevo Reporte',
+ 'edit_report' => 'Editar Reporte',
+ 'columns' => 'Columnas',
+ 'filters' => 'Filtros',
+ 'sort_by' => 'Ordenar Por',
+ 'draft' => 'Borrador',
+ 'unpaid' => 'Sin Pagar',
+ 'aging' => 'Envejecimiento',
+ 'age' => 'Edad',
+ 'days' => 'Días',
+ 'age_group_0' => '0 - 30 Días',
+ 'age_group_30' => '30 - 60 Días',
+ 'age_group_60' => '60 - 90 Días',
+ 'age_group_90' => '90 - 120 Días',
+ 'age_group_120' => '120+ Días',
+ 'invoice_details' => 'Detalles de la Factura',
+ 'qty' => 'Cantidad',
+ 'profit_and_loss' => 'Ganancias y Pérdidas',
+ 'revenue' => 'Ingresos',
+ 'profit' => 'Ganancia',
+ 'group_when_sorted' => 'Ordenar por Grupo',
+ 'group_dates_by' => 'Agrupar Fechas Por',
+ 'year' => 'Año',
+ 'view_statement' => 'Ver Estado De Cuenta',
+ 'statement' => 'Estado De Cuenta',
+ 'statement_date' => 'Fecha del Estado De Cuenta',
+ 'mark_active' => 'Marcar como Activo',
+ 'send_automatically' => 'Enviar Automáticamente',
+ 'initial_email' => 'Email Inicial',
+ 'invoice_not_emailed' => 'Esta factura no ha sido enviada.',
+ 'quote_not_emailed' => 'Esta cotización no ha sido enviada.',
+ 'sent_by' => 'Enviada por :user',
+ 'recipients' => 'Remitentes',
+ 'save_as_default' => 'Guardar como predeterminado',
+ 'template' => 'Plantilla',
+ 'start_of_week_help' => 'Usado por los selectores de fecha',
+ 'financial_year_start_help' => 'Usado por los selectores de rango de fecha',
+ 'reports_help' => 'Shift + Click para ordenar por múltiples columnas, Ctrl + Click para desactivar la agrupación.',
+ 'this_year' => 'Este Año',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Crear. Enviar. Recibir Pago.',
+ 'login_or_existing' => 'O ingrese con una cuenta conectada.',
+ 'sign_up_now' => 'Cree Una Cuenta Ahora',
+ 'not_a_member_yet' => 'Aún no tiene una cuenta?',
+ 'login_create_an_account' => 'Crear una Cuenta!',
+ 'client_login' => 'Inicio de Sesión del Cliente',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Facturas de:',
+ 'email_alias_message' => 'Requerimos que cada compañía tenga una dirección de correo electrónico única
Considera usar un alias ej, email+label@example.com',
+ 'full_name' => 'Nombre Completo',
+ 'month_year' => 'MES/AÑO',
+ 'valid_thru' => 'Válido\nhasta',
+
+ 'product_fields' => 'Campos de Producto',
+ 'custom_product_fields_help' => 'Agregar un campo al crear un producto o factura y la etiqueta visible y el valor en el PDF.',
+ 'freq_two_months' => 'Dos meses',
+ 'freq_yearly' => 'Anualmente',
+ 'profile' => 'Perfil',
+ 'payment_type_help' => 'Establecer el tipo de pago manual por defecto.',
+ 'industry_Construction' => 'Construcción',
+ 'your_statement' => 'Su Estado Financiero',
+ 'statement_issued_to' => 'Estado de Cuenta emitido a',
+ 'statement_to' => 'Estado de Cuenta para',
+ 'customize_options' => 'Personalizar opciones',
+ 'created_payment_term' => 'Término de pago creado con éxito',
+ 'updated_payment_term' => 'Término de pago actualizado con éxito',
+ 'archived_payment_term' => 'Término de pago archivado con éxito',
+ 'resend_invite' => 'Reenviar Invitación',
+ 'credit_created_by' => 'Crédito creado por el pago :transaction_reference',
+ 'created_payment_and_credit' => 'Pago y Crédito creados con éxito',
+ 'created_payment_and_credit_emailed_client' => 'Pago y Crédito creados con éxito, y el cliente ha sido notificado por correo',
+ 'create_project' => 'Crear proyecto',
+ 'create_vendor' => 'Crear vendedor',
+ 'create_expense_category' => 'Crear categoría',
+ 'pro_plan_reports' => ':link para habilitar los reportes actualizándose al Plan Pro',
+ 'mark_ready' => 'Marcar como Listo',
+
+ 'limits' => 'Límites',
+ 'fees' => 'Tarifas',
+ 'fee' => 'Tarifa',
+ 'set_limits_fees' => 'Configure los Límites/Tarifas de :gateway_type',
+ 'fees_tax_help' => 'Habilite impuestos por linea para definir las tasas de impuestos.',
+ 'fees_sample' => 'La tarifa para una factura con valor de :amount sería de :total.',
+ 'discount_sample' => 'El descuento para una factura con valor de :amount sería de :total.',
+ 'no_fees' => 'Sin Tarifas',
+ 'gateway_fees_disclaimer' => 'Advertencia: no todos los estados/pasarelas de pago permiten agregar tarifas, por favor revisa tu leyes locales/términos de servicio.',
+ 'percent' => 'Porciento',
+ 'location' => 'Ubicación',
+ 'line_item' => 'Item de Linea',
+ 'surcharge' => 'Sobrecargo',
+ 'location_first_surcharge' => 'Habilitado - Primer sobrecargo',
+ 'location_second_surcharge' => 'Habilitado - Segundo sobrecargo',
+ 'location_line_item' => 'Habilitado - Item de Linea',
+ 'online_payment_surcharge' => 'Sobrecargo por Pago en Linea',
+ 'gateway_fees' => 'Tarifas de Pasarela de Pagos',
+ 'fees_disabled' => 'Las tarifas están deshabilitadas',
+ 'gateway_fees_help' => 'Agregar automáticamente un sobrecargo/descuento por pago en linea.',
+ 'gateway' => 'Pasarela de Pagos',
+ 'gateway_fee_change_warning' => 'Si hay facturas pendientes por pagar con tarifas estas necesitan ser actualizadas manualmente.',
+ 'fees_surcharge_help' => 'Personalizar sobrecargos :link.',
+ 'label_and_taxes' => 'etiquetas e impuestos',
+ 'billable' => 'Cobrable',
+ 'logo_warning_too_large' => 'La imagen es muy grande.',
+ 'logo_warning_fileinfo' => 'Advertencia: para poder soportar imágenes tipo gif, la extensión de PHP fileinfo debe ser habilitada.',
+ 'logo_warning_invalid' => 'Hubo un problema leyendo el archivo de la imagen, por favor intente con un formato diferente.',
+
+ 'error_refresh_page' => 'Ha ocurrido un error, por favor refresca la página e intenta de nuevo.',
+ 'data' => 'Datos',
+ 'imported_settings' => 'Preferencias importadas con éxito',
+ 'reset_counter' => 'Reiniciar Contador',
+ 'next_reset' => 'Siguiente Reinicio',
+ 'reset_counter_help' => 'Reiniciar automáticamente los contadores de factura y cotización.',
+ 'auto_bill_failed' => 'Falló la auto-facturación para la factura :invoice_number',
+ 'online_payment_discount' => 'Descuento por Pago En Linea',
+ 'created_new_company' => 'Nueva empresa creada con éxito',
+ 'fees_disabled_for_gateway' => 'Las tarifas están deshabilitadas para esta pasarela de pago.',
+ 'logout_and_delete' => 'Salir/Borrar Cuenta',
+ 'tax_rate_type_help' => 'Las tasas impositivas incluyentes ajustan el costo de la línea de pedido cuando se seleccionan.
Solo las tasas de impuestos exclusivas se pueden usar de manera predeterminada.',
+ 'invoice_footer_help' => 'Use $pageNumber y $pageCount para ver la información de la página.',
+ 'credit_note' => 'Nota de Crédito',
+ 'credit_issued_to' => 'Crédito emitido a',
+ 'credit_to' => 'Crédito para',
+ 'your_credit' => 'Tu Crédito',
+ 'credit_number' => 'Número de Crédito',
+ 'create_credit_note' => 'Crear Nota de Crédito',
+ 'menu' => 'Menú',
+ 'error_incorrect_gateway_ids' => 'Error: La tabla de pasarelas de pago tiene identificadores incorrectos.',
+ 'purge_data' => 'Purgar Datos',
+ 'delete_data' => 'Borrar Datos',
+ 'purge_data_help' => 'Borrar permanentemente todos los datos pero mantener la cuenta y su configuración.',
+ 'cancel_account_help' => 'Borrar permanentemente la cuenta con datos y configuración.',
+ 'purge_successful' => 'Datos de la empresa purgados con éxito',
+ 'forbidden' => 'Prohibído',
+ 'purge_data_message' => 'Advertencia: Esto borrará definitivamente tus datos, no hay de deshacerlo.',
+ 'contact_phone' => 'Teléfono de Contacto',
+ 'contact_email' => 'Correo de Contacto',
+ 'reply_to_email' => 'Correo de Respuesta',
+ 'reply_to_email_help' => 'Especifica la dirección de respuesta para los correos electrónicos de los clientes.',
+ 'bcc_email_help' => 'Incluir de manera privada esta dirección con los correos de los clientes.',
+ 'import_complete' => 'Tu importe se ha completado con éxito.',
+ 'confirm_account_to_import' => 'Por favor confirma tu cuenta para importar los datos.',
+ 'import_started' => 'Tu importación ha empezado, te enviaremos un correo cuando termine.',
+ 'listening' => 'Escuchando...',
+ 'microphone_help' => 'Dí "nueva factura para [cliente]" o "muéstrame los pagos archivados de [cliente]"',
+ 'voice_commands' => 'Comandos de Voz',
+ 'sample_commands' => 'Comandos de muestra',
+ 'voice_commands_feedback' => 'Estamos trabajando activamente para mejorar esta función, si hay un comando que te gustaría que soportemos, envíanos un correo electrónico a: email.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Giro Postal',
+ 'archived_products' => ':count productos archivados con éxito',
+ 'recommend_on' => 'Nosotros recomendamos habilitar esta función.',
+ 'recommend_off' => 'Nosotros recomendamos deshabilitar esta función.',
+ 'notes_auto_billed' => 'Auto-facturado',
+ 'surcharge_label' => 'Etiqueta de Sobrecargo',
+ 'contact_fields' => 'Campos de Contacto',
+ 'custom_contact_fields_help' => 'Agregar un campo al crear un contacto y, opcionalmente, mostrar la etiqueta y el valor en el PDF.',
+ 'datatable_info' => 'Mostrando de :start a :end de :total entradas',
+ 'credit_total' => 'Crédito Total',
+ 'mark_billable' => 'Marcar como facturable',
+ 'billed' => 'Facturado',
+ 'company_variables' => 'Variables de Empresa',
+ 'client_variables' => 'Variables de Cliente',
+ 'invoice_variables' => 'Variables de Factura',
+ 'navigation_variables' => 'Variables de Navegación',
+ 'custom_variables' => 'Variables Personalizadas',
+ 'invalid_file' => 'Tpo de archivo inválido',
+ 'add_documents_to_invoice' => 'Agregar documentos a la factura',
+ 'mark_expense_paid' => 'Marcar como Pagado',
+ 'white_label_license_error' => 'Error al validar la licencia, verifica el archivo de log storage/logs/laravel-error.log para más detalles.',
+ 'plan_price' => 'Precio del Plan',
+ 'wrong_confirmation' => 'Código de confirmación incorrecto',
+ 'oauth_taken' => 'La cuenta ya ha sido registrada',
+ 'emailed_payment' => 'Pago enviado por correo con éxito',
+ 'email_payment' => 'Enviar Pago por Correo Electrónico',
+ 'invoiceplane_import' => 'Use :link para migrar tus datos desde InvoicePlane.',
+ 'duplicate_expense_warning' => 'Advertencia: Este :link puede ser un duplicado',
+ 'expense_link' => 'gasto',
+ 'resume_task' => 'Reanudar Tarea',
+ 'resumed_task' => 'Tarea reanudada con éxito',
+ 'quote_design' => 'Diseño de Cotización',
+ 'default_design' => 'Diseño Estándar',
+ 'custom_design1' => 'Diseño Personalizado 1',
+ 'custom_design2' => 'Diseño Personalizado 2',
+ 'custom_design3' => 'Diseño Personalizado 3',
+ 'empty' => 'Vacío',
+ 'load_design' => 'Cargar Diseño',
+ 'accepted_card_logos' => 'Logos de Tarjetas Aceptadas',
+ 'phantomjs_local_and_cloud' => 'Usando PhantomJS local, volviendo a phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Llave de Google Analytics',
+ 'analytics_key_help' => 'Seguimiento de pagos usando :link',
+ 'start_date_required' => 'La fecha de inicio es requerida',
+ 'application_settings' => 'Configuración de Aplicación',
+ 'database_connection' => 'Conexión a la Base de Datos',
+ 'driver' => 'Driver',
+ 'host' => 'Servidor',
+ 'database' => 'Base de Datos',
+ 'test_connection' => 'Probar Conección',
+ 'from_name' => 'Nombre Remitente',
+ 'from_address' => 'Dirección Remitente',
+ 'port' => 'Puerto',
+ 'encryption' => 'Encripción',
+ 'mailgun_domain' => 'Dominio de Mailgun',
+ 'mailgun_private_key' => 'Llave Privada de Mailgun',
+ 'send_test_email' => 'Enviar correo de prueba',
+ 'select_label' => 'Seleccionar Etiqueta',
+ 'label' => 'Etiqueta',
+ 'service' => 'Servicio',
+ 'update_payment_details' => 'Actualizar los detalles del pago',
+ 'updated_payment_details' => 'Detalles del pago actualizados con éxito',
+ 'update_credit_card' => 'Actualizar Tarjeta de Crédito',
+ 'recurring_expenses' => 'Gastos Recurrentes',
+ 'recurring_expense' => 'Gasto Recurrente',
+ 'new_recurring_expense' => 'Nuevo Gasto Recurrente',
+ 'edit_recurring_expense' => 'Editar Gasto Recurrente',
+ 'archive_recurring_expense' => 'Archivar Gasto Recurrente',
+ 'list_recurring_expense' => 'Listar Gastos Recurrentes',
+ 'updated_recurring_expense' => 'Gasto recurrente actualizado con éxito',
+ 'created_recurring_expense' => 'Gasto recurrente creado con éxito',
+ 'archived_recurring_expense' => 'Gasto recurrente archivado con éxito',
+ 'archived_recurring_expense' => 'Gasto recurrente archivado con éxito',
+ 'restore_recurring_expense' => 'Restaurar Gasto Recurrente',
+ 'restored_recurring_expense' => 'Gasto recurrente restaurado con éxito',
+ 'delete_recurring_expense' => 'Eliminar Gasto Recurrente',
+ 'deleted_recurring_expense' => 'Proyecto eliminado con éxito',
+ 'deleted_recurring_expense' => 'Proyecto eliminado con éxito',
+ 'view_recurring_expense' => 'Ver Gasto Recurrente',
+ 'taxes_and_fees' => 'Impuestos y Tarifas',
+ 'import_failed' => 'Importación fallida',
+ 'recurring_prefix' => 'Prefijo Recurrente',
+ 'options' => 'Opciones',
+ 'credit_number_help' => 'Especifica un prefijo o usa un patrón personalizado para establecer dinámicamente el número de crédito para las facturas negativas.',
+ 'next_credit_number' => 'El número de crédito es :number.',
+ 'padding_help' => 'Cantidad de ceros para rellenar el número.',
+ 'import_warning_invalid_date' => 'Advertencia: El formato de fecha parece ser inválido.',
+ 'product_notes' => 'Notas de Producto',
+ 'app_version' => 'Versión de la Aplicación',
+ 'ofx_version' => 'Versión de OFX',
+ 'gateway_help_23' => ':link para obtener tus llaves del API de Stripe.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY está configurado con un valor por defecto, para actualizarlo haz un backup de la base de datos y después ejecuta el comando php artisan ninja:update-key
',
+ 'charge_late_fee' => 'Cobrar Tarifa por Tardanza',
+ 'late_fee_amount' => 'Valor Tarifa por Tardanza',
+ 'late_fee_percent' => 'Porcentaje Tarifa por Tardanza',
+ 'late_fee_added' => 'Tarifa por Tardanza agregada el :date',
+ 'download_invoice' => 'Descargar factura',
+ 'download_quote' => 'Descargar Cotización',
+ 'invoices_are_attached' => 'Los archivos PDF de tu factura están adjuntos.',
+ 'downloaded_invoice' => 'Un correo electrónico será enviado con el archivo PDF de la factura',
+ 'downloaded_quote' => 'Un correo electrónico será enviado con el archivo PDF de la cotización',
+ 'downloaded_invoices' => 'Un correo electrónico será enviado con los archivos PDF de la factura',
+ 'downloaded_quotes' => 'Un correo electrónico será enviado con los archivos PDF de la cotización',
+ 'clone_expense' => 'Clonar Gasto',
+ 'default_documents' => 'Documentos por defecto',
+ 'send_email_to_client' => 'Enviar correo electrónico al cliente',
+ 'refund_subject' => 'Reembolso Procesado',
+ 'refund_body' => 'Se te ha procesado un reembolso de: monto de la factura: invoice_number.',
+
+ 'currency_us_dollar' => 'Dólar Estadounidence',
+ 'currency_british_pound' => 'Libra Británica',
+ 'currency_euro' => 'Euro',
+ 'currency_south_african_rand' => 'Rand Sudafricano',
+ 'currency_danish_krone' => 'Corona Danesa',
+ 'currency_israeli_shekel' => 'Shekel israelí',
+ 'currency_swedish_krona' => 'Corona Sueca',
+ 'currency_kenyan_shilling' => 'Chelín de Kenia',
+ 'currency_canadian_dollar' => 'Dólar Canadience',
+ 'currency_philippine_peso' => 'Peso Filipino',
+ 'currency_indian_rupee' => 'Rupia India',
+ 'currency_australian_dollar' => 'Dólar Australiano',
+ 'currency_singapore_dollar' => 'Dólar de Singapur',
+ 'currency_norske_kroner' => 'Corona Noruega',
+ 'currency_new_zealand_dollar' => 'Dólar Neozelandés',
+ 'currency_vietnamese_dong' => 'dong Vietnamita',
+ 'currency_swiss_franc' => 'Franco Suizo',
+ 'currency_guatemalan_quetzal' => 'Quetzal Guatemalteco',
+ 'currency_malaysian_ringgit' => 'Ringgit de Malasia',
+ 'currency_brazilian_real' => 'Real Brasileño',
+ 'currency_thai_baht' => 'Baht Tailandés',
+ 'currency_nigerian_naira' => 'Naira Nigeriano',
+ 'currency_argentine_peso' => 'Peso Argentino',
+ 'currency_bangladeshi_taka' => 'Taka de Bangladesh',
+ 'currency_united_arab_emirates_dirham' => 'Dirham de Emiratos Arabes Unidos',
+ 'currency_hong_kong_dollar' => 'Dólar de Hong Kong',
+ 'currency_indonesian_rupiah' => 'Rupia de Indonesia',
+ 'currency_mexican_peso' => 'Peso Mexicano',
+ 'currency_egyptian_pound' => 'Libra Egipcia',
+ 'currency_colombian_peso' => 'Peso Colombiano',
+ 'currency_west_african_franc' => 'Franco de África del Oeste',
+ 'currency_chinese_renminbi' => 'Renminbi Chino',
+ 'currency_rwandan_franc' => 'Franco Ruandés',
+ 'currency_tanzanian_shilling' => 'Chelín Tanzano',
+ 'currency_netherlands_antillean_guilder' => 'Florín de las Antillas Holandesas',
+ 'currency_trinidad_and_tobago_dollar' => 'Dólar de Trinidad y Tobago',
+ 'currency_east_caribbean_dollar' => 'Dólar del Caribe del Este',
+ 'currency_ghanaian_cedi' => 'Cedi Ghanés',
+ 'currency_bulgarian_lev' => 'Lev búlgaro',
+ 'currency_aruban_florin' => 'Florín de Aruba',
+ 'currency_turkish_lira' => 'Lira Tturca',
+ 'currency_romanian_new_leu' => 'Romanian New Leu',
+ 'currency_croatian_kuna' => 'Kuna Croata',
+ 'currency_saudi_riyal' => 'Saudi Riyal',
+ 'currency_japanese_yen' => 'Riyal Saudita',
+ 'currency_maldivian_rufiyaa' => 'Rufiyaa Maldiva',
+ 'currency_costa_rican_colon' => 'Colón Costarricense',
+ 'currency_pakistani_rupee' => 'Rupia Pakistaní',
+ 'currency_polish_zloty' => 'Zloty Polaco',
+ 'currency_sri_lankan_rupee' => 'Rupia de Sri Lanka',
+ 'currency_czech_koruna' => 'Corona Checa',
+ 'currency_uruguayan_peso' => 'Peso Uruguayo',
+ 'currency_namibian_dollar' => 'Dólar de Namibia',
+ 'currency_tunisian_dinar' => 'Dinar Tunecino',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'Esperamos que estés disfrutando de usar la aplicación.
Si consideras :link lo apreciaremos mucho!',
+ 'writing_a_review' => 'escribiendo una reseña',
+
+ 'use_english_version' => 'Asegúrate de usar la versión en Ingles de los archivos.
Nosotros usamos los encabezados de las columnas para que coincidan con los campos.',
+ 'tax1' => 'Primera Impuesto',
+ 'tax2' => 'Segundo Impuesto',
+ 'fee_help' => 'Las tarifas de Pasarela de Pago son los costos que se cobran por el acceso a las redes financieras que manejan el procesamiento de pagos en línea.',
+ 'format_export' => 'Exportando formato',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Primer Nombre de Contacto',
+ 'contact_last_name' => 'Apellido de Contacto',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Moneda',
+ 'ofx_help' => 'Para solucionar problemas busca comentarios en :ofxhome_link y prueba con :ofxget_link.',
+ 'comments' => 'comentarios',
+
+ 'item_product' => 'Producto del Concepto',
+ 'item_notes' => 'Notas del concepto',
+ 'item_cost' => 'Costo del Concepto',
+ 'item_quantity' => 'Cantidad del Concepto',
+ 'item_tax_rate' => 'Tasa de Impuesto del Concepto',
+ 'item_tax_name' => 'Nombre del Impuesto del Concepto',
+ 'item_tax1' => 'Impuesto1 Concepto',
+ 'item_tax2' => 'Impuesto2 Concepto',
+
+ 'delete_company' => 'Eliminar Empresa',
+ 'delete_company_help' => 'Eliminar de manera permanente la empresa con todos sus datos y configuración.',
+ 'delete_company_message' => 'Advertencia: Esto eliminará su empresa, no hay manera de deshacerlo.',
+
+ 'applied_discount' => 'El cupón ha sido aplicado, el precio del plan ha sido reducido a :discount%.',
+ 'applied_free_year' => 'El cupón ha sido aplicado, tu cuenta ha sido actualizada al plan Pro por un año.',
+
+ 'contact_us_help' => 'SI estás reportando un error por favor incluye los logs relevantes de storage/logs/laravel-error.log',
+ 'include_errors' => 'Incluir Errores',
+ 'include_errors_help' => 'Incluir :link de storage/logs/laravel-error.log',
+ 'recent_errors' => 'errores recientes',
+ 'customer' => 'Cliente',
+ 'customers' => 'Clientes',
+ 'created_customer' => 'Cliente creado con éxito',
+ 'created_customers' => 'Creados :count clientes con éxito',
+
+ 'purge_details' => 'La información en tu empresa (:account) ha sido purgada con éxito.',
+ 'deleted_company' => 'Empresa eliminada con éxito',
+ 'deleted_account' => 'Cuenta cancelada con éxito',
+ 'deleted_company_details' => 'Tu empresa (:account) ha sido eliminada con éxito.',
+ 'deleted_account_details' => 'Tu cuenta (:account) ha sido eliminada con éxito.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendario',
+ 'pro_plan_calendar' => ':link para habilitar el calendario al acceder al Plan Pro.',
+
+ 'what_are_you_working_on' => 'En qué estás trabajando ?',
+ 'time_tracker' => 'Contador de Tiempo',
+ 'refresh' => 'Refrescar',
+ 'filter_sort' => 'Filtrar/Ordenar',
+ 'no_description' => 'Sin Descripción',
+ 'time_tracker_login' => 'Login del Contador de Tiempo',
+ 'save_or_discard' => 'Guardar o descartar tus camboi',
+ 'discard_changes' => 'Descartar Cambios',
+ 'tasks_not_enabled' => 'Las tareas no están habilitadas.',
+ 'started_task' => 'Tarea iniciada con éxito',
+ 'create_client' => 'Crear Cliente',
+
+ 'download_desktop_app' => 'Descargar la aplicación de escritorio',
+ 'download_iphone_app' => 'Descargar la aplicación para iPhone',
+ 'download_android_app' => 'escargar la aplicación para Android',
+ 'time_tracker_mobile_help' => 'Doble click en una tarea para seleccionarla',
+ 'stopped' => 'Detenido',
+ 'ascending' => 'Ascendente',
+ 'descending' => 'Descendente',
+ 'sort_field' => 'Ordenar Por',
+ 'sort_direction' => 'Dirección',
+ 'discard' => 'Descartar',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'minutos',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Limpiar',
+ 'warn_payment_gateway' => 'Nota: para aceptar pagos en linea requieres de una pasarela de pago configurada. :link para agregar una.',
+ 'task_rate' => 'Tasa de Tarea',
+ 'task_rate_help' => 'Configurar la tasa por defecto para las tareas involucradas.',
+ 'past_due' => 'Vencido',
+ 'document' => 'Documento',
+ 'invoice_or_expense' => 'Factura/Gasto',
+ 'invoice_pdfs' => 'PDF\'s de Factura',
+ 'enable_sepa' => 'Aceptar SEPA',
+ 'enable_bitcoin' => 'Aceptar Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => 'Al proporcionar tu IBAN y confirmar este pago, estás autorizando a: la empresa y a Stripe, nuestro proveedor de servicios de pago, a enviar instrucciones a tu banco para cargar tu cuenta y tu banco para debitar tu cuenta de acuerdo con esas instrucciones. Tienes derecho a un reembolso de tu banco en los términos y condiciones del acuerdo con tu banco. Se debe reclamar un reembolso dentro de las 8 semanas a partir de la fecha en que se debitó tu cuenta.',
+ 'recover_license' => 'Recuperar Liciencia',
+ 'purchase' => 'Compra',
+ 'recover' => 'Recuperar',
+ 'apply' => 'Aplicar',
+ 'recover_white_label_header' => 'Recuperar Licencia Blanca',
+ 'apply_white_label_header' => 'Aplicar Licencia Blanca',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Volver a la Factura',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Fecha de Vencimiento Parcial',
+ 'task_fields' => 'Campos de la Tarea',
+ 'product_fields_help' => 'Arrastra y suelta los campos para cambiar su orden',
+ 'custom_value1' => 'Valor Personalizado',
+ 'custom_value2' => 'Valor Personalizado',
+ 'enable_two_factor' => 'Autenticación de Dos Factores',
+ 'enable_two_factor_help' => 'Usa tu teléfono para confirmar tu identidad al ingresar',
+ 'two_factor_setup' => 'Configuración de Autenticación de Dos Factores',
+ 'two_factor_setup_help' => 'Escanea el código de barras con una aplicación compatible con :link ',
+ 'one_time_password' => 'Contraseña de una sola vez',
+ 'set_phone_for_two_factor' => 'Configura tu teléfono como backup para habilitarlo.',
+ 'enabled_two_factor' => 'Autenticación de Dos Factores habilitada con éxito',
+ 'add_product' => 'Agregar Producto',
+ 'email_will_be_sent_on' => 'Nota: El correo será enviado en :date.',
+ 'invoice_product' => 'Producto de Factura',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: storage el local no está disponible.',
+ 'your_password_reset_link' => 'Tu link parara Resetear la Contraseña',
+ 'subdomain_taken' => 'El subdominio ya está en uso',
+ 'client_login' => 'Inicio de Sesión del Cliente',
+ 'converted_amount' => 'Cantidad Convertida',
+ 'default' => 'Por Defecto',
+ 'shipping_address' => 'Dirección de Envío',
+ 'bllling_address' => 'Dirección de Facturación',
+ 'billing_address1' => 'Calle de Facturación',
+ 'billing_address2' => 'Apto/Suite de Facturación',
+ 'billing_city' => 'Ciudad de Facturación',
+ 'billing_state' => 'Estado/Provincia de Facturación',
+ 'billing_postal_code' => 'Código Postal de Facturación',
+ 'billing_country' => 'País de Facturación',
+ 'shipping_address1' => 'Calle de Envío',
+ 'shipping_address2' => 'Apto/Suite de Envío',
+ 'shipping_city' => 'Ciudad de Envío',
+ 'shipping_state' => 'Estado/Provincia de Envío',
+ 'shipping_postal_code' => 'Código Postal de Envío',
+ 'shipping_country' => 'País de Envío',
+ 'classify' => 'Clasificar',
+ 'show_shipping_address_help' => 'Requerir que el cliente indique su dirección de envío',
+ 'ship_to_billing_address' => 'Enviar a la dirección de envío',
+ 'delivery_note' => 'Nota de Entrega',
+ 'show_tasks_in_portal' => 'Mostrar tareas en el portal de cliente',
+ 'cancel_schedule' => 'Cancelar Programación',
+ 'scheduled_report' => 'Programar Reporte',
+ 'scheduled_report_help' => 'Enviar por correo el reporte :report como :format a :email',
+ 'created_scheduled_report' => 'Reporte programado con éxito',
+ 'deleted_scheduled_report' => 'Programaci;on de reporte cancelada con éxito',
+ 'scheduled_report_attached' => 'Your scheduled :type report is attached.',
+ 'scheduled_report_error' => 'Failed to create schedule report',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Plantilla',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/es/validation.php b/resources/lang/es/validation.php
new file mode 100644
index 000000000000..2e2e55921911
--- /dev/null
+++ b/resources/lang/es/validation.php
@@ -0,0 +1,111 @@
+ ":attribute debe ser aceptado.",
+ "active_url" => ":attribute no es una URL válida.",
+ "after" => ":attribute debe ser una fecha posterior a :date.",
+ "alpha" => ":attribute solo debe contener letras.",
+ "alpha_dash" => ":attribute solo debe contener letras, números y guiones.",
+ "alpha_num" => ":attribute solo debe contener letras y números.",
+ "array" => ":attribute debe ser un conjunto.",
+ "before" => ":attribute debe ser una fecha anterior a :date.",
+ "between" => array(
+ "numeric" => ":attribute tiene que estar entre :min - :max.",
+ "file" => ":attribute debe pesar entre :min - :max kilobytes.",
+ "string" => ":attribute tiene que tener entre :min - :max caracteres.",
+ "array" => ":attribute tiene que tener entre :min - :max ítems.",
+ ),
+ "confirmed" => "La confirmación de :attribute no coincide.",
+ "date" => ":attribute no es una fecha válida.",
+ "date_format" => ":attribute no corresponde al formato :format.",
+ "different" => ":attribute y :other deben ser diferentes.",
+ "digits" => ":attribute debe tener :digits dígitos.",
+ "digits_between" => ":attribute debe tener entre :min y :max dígitos.",
+ "email" => ":attribute no es un correo válido",
+ "exists" => ":attribute es inválido.",
+ "image" => ":attribute debe ser una imagen.",
+ "in" => ":attribute es inválido.",
+ "integer" => ":attribute debe ser un número entero.",
+ "ip" => ":attribute debe ser una dirección IP válida.",
+ "max" => array(
+ "numeric" => ":attribute no debe ser mayor a :max.",
+ "file" => ":attribute no debe ser mayor que :max kilobytes.",
+ "string" => ":attribute no debe ser mayor que :max caracteres.",
+ "array" => ":attribute no debe tener más de :max elementos.",
+ ),
+ "mimes" => ":attribute debe ser un archivo con formato: :values.",
+ "min" => array(
+ "numeric" => "El tamaño de :attribute debe ser de al menos :min.",
+ "file" => "El tamaño de :attribute debe ser de al menos :min kilobytes.",
+ "string" => ":attribute debe contener al menos :min caracteres.",
+ "array" => ":attribute debe tener al menos :min elementos.",
+ ),
+ "not_in" => ":attribute es inválido.",
+ "numeric" => ":attribute debe ser numérico.",
+ "regex" => "El formato de :attribute es inválido.",
+ "required" => "El campo :attribute es obligatorio.",
+ "required_if" => "El campo :attribute es obligatorio cuando :other es :value.",
+ "required_with" => "El campo :attribute es obligatorio cuando :values está presente.",
+ "required_with_all" => "The :attribute field is required when :values is present.",
+ "required_without" => "El campo :attribute es obligatorio cuando :values no está presente.",
+ "required_without_all" => "The :attribute field is required when none of :values are present.",
+ "same" => ":attribute y :other deben coincidir.",
+ "size" => array(
+ "numeric" => "El tamaño de :attribute debe ser :size.",
+ "file" => "El tamaño de :attribute debe ser :size kilobytes.",
+ "string" => ":attribute debe contener :size caracteres.",
+ "array" => ":attribute debe contener :size elementos.",
+ ),
+ "unique" => ":attribute ya ha sido registrado.",
+ "url" => "El formato :attribute es inválido.",
+ "positive" => ":attribute debe ser mayor que cero.",
+ "has_credit" => "el cliente no tiene crédito suficiente.",
+ "notmasked" => "The values are masked",
+ "less_than" => 'The :attribute must be less than :value',
+ "has_counter" => 'The value must contain {$counter}',
+ "valid_contacts" => "All of the contacts must have either an email or name",
+ "valid_invoice_items" => "The invoice exceeds the maximum amount",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(
+ 'attribute-name' => array(
+ 'rule-name' => 'custom-message',
+ ),
+ ),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(),
+
+);
diff --git a/resources/lang/es_ES/pagination.php b/resources/lang/es_ES/pagination.php
new file mode 100644
index 000000000000..9cbe91da3011
--- /dev/null
+++ b/resources/lang/es_ES/pagination.php
@@ -0,0 +1,20 @@
+ '« Anterior',
+
+ 'next' => 'Siguiente »',
+
+);
diff --git a/resources/lang/es_ES/reminders.php b/resources/lang/es_ES/reminders.php
new file mode 100644
index 000000000000..094e8788814b
--- /dev/null
+++ b/resources/lang/es_ES/reminders.php
@@ -0,0 +1,24 @@
+ "Las contraseñas deben contener al menos 6 caracteres y coincidir.",
+
+ "user" => "No podemos encontrar a un usuario con ese correo electrónico.",
+
+ "token" => "Este token de recuperación de contraseña es inválido.",
+
+ "sent" => "¡Recordatorio de contraseña enviado!",
+
+);
diff --git a/resources/lang/es_ES/texts.php b/resources/lang/es_ES/texts.php
new file mode 100644
index 000000000000..69671c29f6ff
--- /dev/null
+++ b/resources/lang/es_ES/texts.php
@@ -0,0 +1,2862 @@
+ 'Empresa',
+ 'name' => 'Nombre',
+ 'website' => 'Página Web',
+ 'work_phone' => 'Teléfono',
+ 'address' => 'Dirección',
+ 'address1' => 'Calle',
+ 'address2' => 'Bloq/Pta',
+ 'city' => 'Ciudad',
+ 'state' => 'Provincia',
+ 'postal_code' => 'Código Postal',
+ 'country_id' => 'País',
+ 'contacts' => 'Contactos',
+ 'first_name' => 'Nombre',
+ 'last_name' => 'Apellidos',
+ 'phone' => 'Teléfono',
+ 'email' => 'Email',
+ 'additional_info' => 'Información Adicional',
+ 'payment_terms' => 'Términos de Pago',
+ 'currency_id' => 'Divisa',
+ 'size_id' => 'Tamaño',
+ 'industry_id' => 'Sector',
+ 'private_notes' => 'Notas Privadas',
+ 'invoice' => 'Factura',
+ 'client' => 'Cliente',
+ 'invoice_date' => 'Fecha de Factura',
+ 'due_date' => 'Límite de Pago',
+ 'invoice_number' => 'Número de Factura',
+ 'invoice_number_short' => 'Factura Nº',
+ 'po_number' => 'Número de Orden',
+ 'po_number_short' => 'Nº Orden',
+ 'frequency_id' => 'Frecuencia',
+ 'discount' => 'Descuento',
+ 'taxes' => 'Impuestos',
+ 'tax' => 'Impuesto',
+ 'item' => 'Concepto',
+ 'description' => 'Descripción',
+ 'unit_cost' => 'Precio Unitario',
+ 'quantity' => 'Cantidad',
+ 'line_total' => 'Total',
+ 'subtotal' => 'Subtotal',
+ 'paid_to_date' => 'Pagado',
+ 'balance_due' => 'Pendiente',
+ 'invoice_design_id' => 'Diseño',
+ 'terms' => 'Términos',
+ 'your_invoice' => 'Tu Factura',
+ 'remove_contact' => 'Eliminar Contacto',
+ 'add_contact' => 'Añadir Contacto',
+ 'create_new_client' => 'Crear Nuevo Cliente',
+ 'edit_client_details' => 'Editar Detalles del Cliente',
+ 'enable' => 'Activar',
+ 'learn_more' => 'Saber más',
+ 'manage_rates' => 'Administrar Tarifas',
+ 'note_to_client' => 'Nota para el Cliente',
+ 'invoice_terms' => 'Términos de Facturación',
+ 'save_as_default_terms' => 'Guardar como Términos Predefinidos',
+ 'download_pdf' => 'Descargar PDF',
+ 'pay_now' => 'Pagar Ahora',
+ 'save_invoice' => 'Guardar Factura',
+ 'clone_invoice' => 'Clonar Factura',
+ 'archive_invoice' => 'Archivar Factura',
+ 'delete_invoice' => 'Eliminar Factura',
+ 'email_invoice' => 'Enviar Factura por EMail',
+ 'enter_payment' => 'Agregar Pago',
+ 'tax_rates' => 'Impuestos',
+ 'rate' => 'Precio',
+ 'settings' => 'Configuración',
+ 'enable_invoice_tax' => 'Activar la selección de un Impuesto para el Total de la Factura',
+ 'enable_line_item_tax' => 'Activar la selección de un Impuesto por Línea de Factura',
+ 'dashboard' => 'Inicio',
+ 'clients' => 'Clientes',
+ 'invoices' => 'Facturas',
+ 'payments' => 'Pagos',
+ 'credits' => 'Créditos',
+ 'history' => 'Historial',
+ 'search' => 'Búsqueda',
+ 'sign_up' => 'Registrarse',
+ 'guest' => 'Invitado',
+ 'company_details' => 'Detalles de la Empresa',
+ 'online_payments' => 'Pagos Online',
+ 'notifications' => 'Notificaciones',
+ 'import_export' => 'Importar/Exportar',
+ 'done' => 'Hecho',
+ 'save' => 'Guardar',
+ 'create' => 'Crear',
+ 'upload' => 'Subir',
+ 'import' => 'Importar',
+ 'download' => 'Descargar',
+ 'cancel' => 'Cancelar',
+ 'close' => 'Cerrar',
+ 'provide_email' => 'Por favor indica una dirección de correo electrónico válida.',
+ 'powered_by' => 'Creado por',
+ 'no_items' => 'No hay Conceptos',
+ 'recurring_invoices' => 'Facturas Recurrentes',
+ 'recurring_help' => 'Enviar Facturas automáticamente a clientes semanalmente, bi-mensualmente, mensualmente, trimestral o anualmente.
+ Usando :MONTH, :QUARTER or :YEAR para fechas dinámicas. Y utilizando tambien Matemáticas básicas. Por ejemplo: :MONTH-1.
+ Ejemplos de Variables Dinámicas de Factura:
+
+ - "Mensualidad del gimnasio para el mes de :MONTH" >> Mensualidad del gimnasio para el mes de Julio"
+ - ":YEAR+1 suscripción anual" >> "2015 suscripción anual"
+ - "Pago retenido para :QUARTER+1" >> "Pago retenido para T2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'Ingreso Total',
+ 'billed_client' => 'Cliente Facturado',
+ 'billed_clients' => 'Clientes Facturados',
+ 'active_client' => 'Cliente Activo',
+ 'active_clients' => 'Clientes Activos',
+ 'invoices_past_due' => 'Facturas Vencidas',
+ 'upcoming_invoices' => 'Próximas Facturas',
+ 'average_invoice' => 'Promedio de Facturación',
+ 'archive' => 'Archivar',
+ 'delete' => 'Eliminar',
+ 'archive_client' => 'Archivar Cliente',
+ 'delete_client' => 'Eliminar Cliente',
+ 'archive_payment' => 'Archivar Pago',
+ 'delete_payment' => 'Eliminar Pago',
+ 'archive_credit' => 'Archivar Crédito',
+ 'delete_credit' => 'Eliminar Crédito',
+ 'show_archived_deleted' => 'Mostrar archivados/eliminados',
+ 'filter' => 'Filtrar',
+ 'new_client' => 'Nuevo Cliente',
+ 'new_invoice' => 'Nueva Factura',
+ 'new_payment' => 'Introduzca el Pago',
+ 'new_credit' => 'Introducir el Crédito',
+ 'contact' => 'Contacto',
+ 'date_created' => 'Fecha de Creación',
+ 'last_login' => 'Último Acceso',
+ 'balance' => 'Saldo',
+ 'action' => 'Acción',
+ 'status' => 'Estado',
+ 'invoice_total' => 'Total Facturado',
+ 'frequency' => 'Frecuencia',
+ 'start_date' => 'Fecha de Inicio',
+ 'end_date' => 'Fecha de Fin',
+ 'transaction_reference' => 'Referencia de Transacción',
+ 'method' => 'Método',
+ 'payment_amount' => 'Valor del Pago',
+ 'payment_date' => 'Fecha de Pago',
+ 'credit_amount' => 'Cantidad de Crédito',
+ 'credit_balance' => 'Saldo de Crédito',
+ 'credit_date' => 'Fecha de Crédito',
+ 'empty_table' => 'Tabla vacía',
+ 'select' => 'Seleccionar',
+ 'edit_client' => 'Editar Cliente',
+ 'edit_invoice' => 'Editar Factura',
+ 'create_invoice' => 'Crear Factura',
+ 'enter_credit' => 'Agregar Crédito',
+ 'last_logged_in' => 'Último inicio de sesión',
+ 'details' => 'Detalles',
+ 'standing' => 'Situación',
+ 'credit' => 'Crédito',
+ 'activity' => 'Actividad',
+ 'date' => 'Fecha',
+ 'message' => 'Mensaje',
+ 'adjustment' => 'Ajustes',
+ 'are_you_sure' => '¿Está Seguro?',
+ 'payment_type_id' => 'Tipo de Pago',
+ 'amount' => 'Cantidad',
+ 'work_email' => 'Correo electrónico de la empresa',
+ 'language_id' => 'Idioma',
+ 'timezone_id' => 'Zona horaria',
+ 'date_format_id' => 'Formato de fecha',
+ 'datetime_format_id' => 'Formato de fecha/hora',
+ 'users' => 'Usuarios',
+ 'localization' => 'Localización',
+ 'remove_logo' => 'Eliminar logo',
+ 'logo_help' => 'Formatos aceptados: JPEG, GIF y PNG',
+ 'payment_gateway' => 'Pasarela de Pago',
+ 'gateway_id' => 'Proveedor',
+ 'email_notifications' => 'Notificaciones de correo',
+ 'email_sent' => 'Avísame por correo cuando una Factura se envía',
+ 'email_viewed' => 'Avísame por correo cuando una Factura se visualiza',
+ 'email_paid' => 'Avísame por correo cuando una Factura se paga',
+ 'site_updates' => 'Actualizaciones del sitio',
+ 'custom_messages' => 'Mensajes Personalizados',
+ 'default_email_footer' => 'Configurar firma de email por defecto',
+ 'select_file' => 'Seleccionar archivo',
+ 'first_row_headers' => 'Usar la primera fila como encabezados',
+ 'column' => 'Columna',
+ 'sample' => 'Ejemplo',
+ 'import_to' => 'Importar a',
+ 'client_will_create' => 'cliente se creará',
+ 'clients_will_create' => 'clientes se crearan',
+ 'email_settings' => 'Configuración del Correo Electrónico',
+ 'client_view_styling' => 'Estilo de visualización para el cliente',
+ 'pdf_email_attachment' => 'Adjuntar PDF',
+ 'custom_css' => 'CSS personalizado',
+ 'import_clients' => 'Importar Clientes',
+ 'csv_file' => 'Seleccionar archivo CSV',
+ 'export_clients' => 'Exportar Clientes',
+ 'created_client' => 'Cliente creado correctamente',
+ 'created_clients' => ':count client(es) creado(s) correctamente',
+ 'updated_settings' => 'Configuración actualizada correctamente',
+ 'removed_logo' => 'Logo eliminado correctamente',
+ 'sent_message' => 'Mensaje enviado correctamente',
+ 'invoice_error' => 'Seleccionar cliente y corregir errores.',
+ 'limit_clients' => 'Lo sentimos, se ha pasado del límite de :count clientes',
+ 'payment_error' => 'Ha habido un error en el proceso de tu Pago. Inténtalo de nuevo más tarde.',
+ 'registration_required' => 'Inscríbete para enviar una factura',
+ 'confirmation_required' => 'Por favor, confirma tu dirección de correo electrónico, :link para reenviar el email de confirmación.',
+ 'updated_client' => 'Cliente actualizado correctamente',
+ 'created_client' => 'Cliente creado correctamente',
+ 'archived_client' => 'Cliente archivado correctamente',
+ 'archived_clients' => ':count clientes archivados correctamente',
+ 'deleted_client' => 'Cliente eliminado correctamente',
+ 'deleted_clients' => ':count clientes eliminados correctamente',
+ 'updated_invoice' => 'Factura actualizada correctamente',
+ 'created_invoice' => 'Factura creada correctamente',
+ 'cloned_invoice' => 'Factura clonada correctamente',
+ 'emailed_invoice' => 'Factura enviada correctamente',
+ 'and_created_client' => 'y cliente creado ',
+ 'archived_invoice' => 'Factura archivada correctamente',
+ 'archived_invoices' => ':count facturas archivadas correctamente',
+ 'deleted_invoice' => 'Factura eliminada correctamente',
+ 'deleted_invoices' => ':count facturas eliminadas correctamente',
+ 'created_payment' => 'Pago creado correctamente',
+ 'created_payments' => ':count pagos creados correctamente.',
+ 'archived_payment' => 'Pago archivado correctamente',
+ 'archived_payments' => ':count pagos archivados correctamente',
+ 'deleted_payment' => 'Pago eliminado correctamente',
+ 'deleted_payments' => ':count pagos eliminados correctamente',
+ 'applied_payment' => 'Pago aplicado correctamente',
+ 'created_credit' => 'Crédito creado correctamente',
+ 'archived_credit' => 'Crédito archivado correctamente',
+ 'archived_credits' => ':count creditos archivados correctamente',
+ 'deleted_credit' => 'Créditos eliminados correctamente',
+ 'deleted_credits' => ':count creditos eliminados correctamente',
+ 'imported_file' => 'Fichero importado correctamente',
+ 'updated_vendor' => 'Proveedor actualizado correctamente',
+ 'created_vendor' => 'Proveedor creado correctamente',
+ 'archived_vendor' => 'Proveedor archivado correctamente',
+ 'archived_vendors' => ':count proveedores actualizados correctamente',
+ 'deleted_vendor' => 'Proveedor eliminado correctamente',
+ 'deleted_vendors' => ':count proveedores actualizados correctamente',
+ 'confirmation_subject' => 'Corfimación de tu cuenta en el sistema',
+ 'confirmation_header' => 'Confirmación de Cuenta',
+ 'confirmation_message' => 'Por favor, haz clic en el enlace de abajo para confirmar tu cuenta.',
+ 'invoice_subject' => 'Nueva factura :number de :account',
+ 'invoice_message' => 'Para visualizar tu factura por el valor de :amount, haz click en el enlace de abajo.',
+ 'payment_subject' => 'Pago recibido',
+ 'payment_message' => 'Gracias por su pago de :amount.',
+ 'email_salutation' => 'Estimado :name,',
+ 'email_signature' => 'Un cordial saludo,',
+ 'email_from' => 'El equipo de Invoice Ninja ',
+ 'invoice_link_message' => 'Para visualizar la factura de cliente, haz clic en el enlace de abajo:',
+ 'notification_invoice_paid_subject' => 'La Factura :invoice ha sido pagada por el cliente :client',
+ 'notification_invoice_sent_subject' => 'La Factura :invoice ha sido enviada a el cliente :client',
+ 'notification_invoice_viewed_subject' => 'La Factura :invoice ha sido visualizado por el cliente:client',
+ 'notification_invoice_paid' => 'Un Pago por importe de :amount ha sido realizado por el cliente :client correspondiente a la Factura :invoice.',
+ 'notification_invoice_sent' => 'La Factura :invoice por importe de :amount fue enviada al cliente :client.',
+ 'notification_invoice_viewed' => 'La Factura :invoice por importe de :amount fue visualizada por el cliente :client.',
+ 'reset_password' => 'Puedes reconfigurar la contraseña de tu cuenta haciendo clic en el siguiente enlace:',
+ 'secure_payment' => 'Pago seguro',
+ 'card_number' => 'Número de tarjeta',
+ 'expiration_month' => 'Mes de caducidad',
+ 'expiration_year' => 'Año de caducidad',
+ 'cvv' => 'CVV',
+ 'logout' => 'Cerrar sesión',
+ 'sign_up_to_save' => 'Registrate para guardar tu trabajo',
+ 'agree_to_terms' => 'Estoy de acuerdo con los :terms',
+ 'terms_of_service' => 'Términos de servicio',
+ 'email_taken' => 'Esta dirección de correo electrónico ya se ha registrado',
+ 'working' => 'Procesando',
+ 'success' => 'Éxito',
+ 'success_message' => 'Te has registrado con éxito. Por favor, haz clic en el enlace del correo de confirmación para verificar tu dirección de correo electrónico.',
+ 'erase_data' => 'Borrar datos',
+ 'password' => 'Contraseña',
+ 'pro_plan_product' => 'Plan Pro',
+ 'pro_plan_success' => '¡Gracias por unirte a Invoice Ninja! Al realizar el Pago de tu Factura, se iniciara tu PLAN PRO.',
+ 'unsaved_changes' => 'Tienes cambios no guardados',
+ 'custom_fields' => 'Campos Personalizados',
+ 'company_fields' => 'Campos de la empresa',
+ 'client_fields' => 'Campos del cliente',
+ 'field_label' => 'Etiqueta del campo',
+ 'field_value' => 'Valor del campo',
+ 'edit' => 'Editar',
+ 'set_name' => 'Indica el nombre de tu Empresa',
+ 'view_as_recipient' => 'Ver como Destinatario',
+ 'product_library' => 'Listado de Productos',
+ 'product' => 'Producto',
+ 'products' => 'Productos',
+ 'fill_products' => 'Auto-rellenar Productos',
+ 'fill_products_help' => 'Seleccionar un producto automáticamente configurará la descripción y coste',
+ 'update_products' => 'Auto-actualizar Productos',
+ 'update_products_help' => 'Actualizar una Factura automáticamente actualizará los Productos',
+ 'create_product' => 'Crear Producto',
+ 'edit_product' => 'Editar Producto',
+ 'archive_product' => 'Archivar Producto',
+ 'updated_product' => 'Producto actualizado correctamente',
+ 'created_product' => 'Producto creado correctamente',
+ 'archived_product' => 'Producto archivado correctamente',
+ 'pro_plan_custom_fields' => ':link haz click para para activar campos a medida',
+ 'advanced_settings' => 'Configuración Avanzada',
+ 'pro_plan_advanced_settings' => ':link haz click para para activar la configuración avanzada',
+ 'invoice_design' => 'Diseño de Factura',
+ 'specify_colors' => 'Especificar colores',
+ 'specify_colors_label' => 'Seleccionar los colores para usar en las Facturas',
+ 'chart_builder' => 'Constructor de Gráficas',
+ 'ninja_email_footer' => 'Creado por :site | Crea. Envia. Recibe tus Pagos.',
+ 'go_pro' => 'Hazte Pro',
+ 'quote' => 'Presupuesto',
+ 'quotes' => 'Presupuestos',
+ 'quote_number' => 'Numero de Presupuesto',
+ 'quote_number_short' => 'Presupuesto Nº ',
+ 'quote_date' => 'Fecha Presupuesto',
+ 'quote_total' => 'Total Presupuestado',
+ 'your_quote' => 'Su Presupuesto',
+ 'total' => 'Total',
+ 'clone' => 'Clonar',
+ 'new_quote' => 'Nuevo Presupuesto',
+ 'create_quote' => 'Crear Presupuesto',
+ 'edit_quote' => 'Editar Presupuesto',
+ 'archive_quote' => 'Archivar Presupuesto',
+ 'delete_quote' => 'Eliminar Presupuesto',
+ 'save_quote' => 'Guardar Presupuesto',
+ 'email_quote' => 'Enviar Presupuesto',
+ 'clone_quote' => 'Clonar Presupuesto',
+ 'convert_to_invoice' => 'Convertir a Factura',
+ 'view_invoice' => 'Ver Factura',
+ 'view_client' => 'Ver Cliente',
+ 'view_quote' => 'Ver Presupuesto',
+ 'updated_quote' => 'Presupuesto actualizado correctamente',
+ 'created_quote' => 'Presupuesto creado correctamente',
+ 'cloned_quote' => 'Presupuesto clonado correctamente',
+ 'emailed_quote' => 'Presupuesto enviado correctamente',
+ 'archived_quote' => 'Presupuesto archivado correctamente',
+ 'archived_quotes' => ':count Presupuestos archivados correctamente',
+ 'deleted_quote' => 'Presupuesto eliminado correctamente',
+ 'deleted_quotes' => ':count Presupuestos eliminados correctamente',
+ 'converted_to_invoice' => 'Presupuesto convertido a factura correctamente',
+ 'quote_subject' => 'Nuevo presupuesto :number de :account',
+ 'quote_message' => 'Para ver el presupuesto por un importe de :amount, haga click en el enlace de abajo.',
+ 'quote_link_message' => 'Para ver su presupuesto haga click en el enlace de abajo:',
+ 'notification_quote_sent_subject' => 'El presupuesto :invoice enviado al cliente :client',
+ 'notification_quote_viewed_subject' => 'El presupuesto :invoice fue visto por el cliente :client',
+ 'notification_quote_sent' => 'El presupuesto :invoice por un valor de :amount, ha sido enviado al cliente :client.',
+ 'notification_quote_viewed' => 'El presupuesto :invoice por un valor de :amount ha sido visto por el cliente :client.',
+ 'session_expired' => 'Su Sesión ha Caducado.',
+ 'invoice_fields' => 'Campos de Factura',
+ 'invoice_options' => 'Opciones de Factura',
+ 'hide_paid_to_date' => 'Ocultar el valor Pagado a la Fecha',
+ 'hide_paid_to_date_help' => 'Solo mostrará el valor Pagado a la Fecha en sus Facturas cuando se ha recibido un Pago.',
+ 'charge_taxes' => 'Cargar Impuestos',
+ 'user_management' => 'Administración de Usuarios',
+ 'add_user' => 'Añadir Usuario',
+ 'send_invite' => 'Enviar Invitación',
+ 'sent_invite' => 'Invitación enviada correctamente',
+ 'updated_user' => 'Usario actualizado correctamente',
+ 'invitation_message' => ':invitor te ha invitado a unirte a su cuenta en Invoice Ninja.',
+ 'register_to_add_user' => 'Regístrate para añadir usarios',
+ 'user_state' => 'Estado',
+ 'edit_user' => 'Editar Usario',
+ 'delete_user' => 'Eliminar Usario',
+ 'active' => 'Activo',
+ 'pending' => 'Pendiente',
+ 'deleted_user' => 'Usario eliminado correctamente',
+ 'confirm_email_invoice' => '¿Estás seguro que quieres enviar esta Factura?',
+ 'confirm_email_quote' => '¿Estás seguro que quieres enviar este presupuesto?',
+ 'confirm_recurring_email_invoice' => 'Se ha marcado esta Factura como recurrente, estás seguro que quieres enviar esta Factura?',
+ 'confirm_recurring_email_invoice_not_sent' => '¿Estás seguro de que quieres comenzar la recurrencia?',
+ 'cancel_account' => 'Cancelar Cuenta',
+ 'cancel_account_message' => 'Atención: Esta acción eliminará permanentemente tu cuenta y no se podrá deshacer.',
+ 'go_back' => 'Atrás',
+ 'data_visualizations' => 'Visualización de Datos',
+ 'sample_data' => 'Datos de Ejemplo',
+ 'hide' => 'Ocultar',
+ 'new_version_available' => 'Una nueva versión de :releases_link disponible. Estás utilizando la versión :user_version, la última versión es :latest_version',
+ 'invoice_settings' => 'Configuración de Facturas',
+ 'invoice_number_prefix' => 'Prefijo del Número de Factura',
+ 'invoice_number_counter' => 'Contador del Número de Factura',
+ 'quote_number_prefix' => 'Prefijo del Número de Presupuesto',
+ 'quote_number_counter' => 'Contador del Número de Presupuesto',
+ 'share_invoice_counter' => 'Compartir la numeración para presupuesto y factura',
+ 'invoice_issued_to' => 'Factura emitida a',
+ 'invalid_counter' => 'Para evitar posibles conflictos, por favor crea un prefijo para el número de factura y para el número de presupuesto.',
+ 'mark_sent' => 'Marcar como Enviado',
+ 'gateway_help_1' => ':link para registrarse en Authorize.net.',
+ 'gateway_help_2' => ':link para registrarse en Authorize.net.',
+ 'gateway_help_17' => ':link para obtener su firma API de PayPal.',
+ 'gateway_help_27' => ':link para registrarse en 2Checkout.com. Para asegurar que los Pagos son monitorizados, establezca :complete_link como redireccion de URL en Account > Site Management en el portal de 2Checkout.',
+ 'gateway_help_60' => ':link para crear una cuenta de WePay',
+ 'more_designs' => 'Más diseños',
+ 'more_designs_title' => 'Diseños Adicionales de Facturas',
+ 'more_designs_cloud_header' => 'Cambia a Pro para añadir más Diseños de Facturas',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Comprar',
+ 'bought_designs' => 'Los diseños adicionales de facturas se han añadido correctamente',
+ 'sent' => 'Enviada',
+ 'vat_number' => 'NIF/CIF',
+ 'timesheets' => 'Parte de Horas',
+ 'payment_title' => 'Introduzca su dirección de Facturación y los datos de su Tarjeta de Crédito',
+ 'payment_cvv' => '* Los tres últimos dígitos de la parte posterior de su tarjeta.',
+ 'payment_footer1' => '* La dirección de Facturación debe coincidir con la de la Tarjeta de Crédito.',
+ 'payment_footer2' => '* Por favor, haga clic en "Pagar ahora" sólo una vez - esta operación puede tardar hasta un minuto en procesarse.',
+ 'id_number' => 'Nº de identificación',
+ 'white_label_link' => 'Marca Blanca',
+ 'white_label_header' => 'Marca Blanca',
+ 'bought_white_label' => 'Licencia de Marca Blanca habilitada correctamente',
+ 'white_labeled' => 'Marca Blanca',
+ 'restore' => 'Restaurar',
+ 'restore_invoice' => 'Restaurar Factura',
+ 'restore_quote' => 'Restaurar Presupuesto',
+ 'restore_client' => 'Restaurar Cliente',
+ 'restore_credit' => 'Restaurar Pendiente',
+ 'restore_payment' => 'Restaurar Pago',
+ 'restored_invoice' => 'Factura restaurada correctamente',
+ 'restored_quote' => 'Presupuesto restaurada correctamente',
+ 'restored_client' => 'Cliente restaurada correctamente',
+ 'restored_payment' => 'Pago restaurado correctamente',
+ 'restored_credit' => 'Crédito restaurado correctamente',
+ 'reason_for_canceling' => 'Ayúdanos a mejorar nuestro sitio diciéndonos porque se va.',
+ 'discount_percent' => 'Porcentaje',
+ 'discount_amount' => 'Cantidad',
+ 'invoice_history' => 'Historial de Facturas',
+ 'quote_history' => 'Historial de Presupuestos',
+ 'current_version' => 'Versión Actual',
+ 'select_version' => 'Seleccione la Versión',
+ 'view_history' => 'Ver Historial',
+ 'edit_payment' => 'Editar Pago',
+ 'updated_payment' => 'Pago actualizado correctamente',
+ 'deleted' => 'Eliminado',
+ 'restore_user' => 'Restaurar Usuario',
+ 'restored_user' => 'Usuario restaurado correctamente',
+ 'show_deleted_users' => 'Mostrar usuarios eliminados',
+ 'email_templates' => 'Plantillas de Email',
+ 'invoice_email' => 'Email de Facturas',
+ 'payment_email' => 'Email de Pagos',
+ 'quote_email' => 'Email de Presupuestos',
+ 'reset_all' => 'Restablecer Todos',
+ 'approve' => 'Aprobar',
+ 'token_billing_type_id' => 'Token de Facturación',
+ 'token_billing_help' => 'Almacena los detalles de Pagos con WePay, Stripe, Braintree o GoCardless.',
+ 'token_billing_1' => 'Deshabilitar',
+ 'token_billing_2' => 'La casilla Opt-In se muestra pero no está seleccionada',
+ 'token_billing_3' => 'La casilla Opt-Out se muestra y se selecciona',
+ 'token_billing_4' => 'Siempre',
+ 'token_billing_checkbox' => 'Almacenar datos de la Tarjeta de Crédito',
+ 'view_in_gateway' => 'Ver en :gateway',
+ 'use_card_on_file' => 'Usar tarjeta en fichero',
+ 'edit_payment_details' => 'Editar detalles de Pago',
+ 'token_billing' => 'Guardar datos de la tarjeta',
+ 'token_billing_secure' => 'Los datos serán almacenados de forma segura por :link',
+ 'support' => 'Soporte',
+ 'contact_information' => 'Información de Contacto',
+ '256_encryption' => 'Encriptación de 256-Bit',
+ 'amount_due' => 'Importe a pagar',
+ 'billing_address' => 'Dirección de Facturación',
+ 'billing_method' => 'Método de Facturación',
+ 'order_overview' => 'Resumen de Pedidos',
+ 'match_address' => '* La Dirección de Facturación debe coincidir con la dirección asociada a la Tarjeta de Crédito.',
+ 'click_once' => '* Por favor, haga clic en "Pagar ahora" sólo una vez - la operación puede tardar hasta un minuto en ser procesada.',
+ 'invoice_footer' => 'Pie de Página de la Factura',
+ 'save_as_default_footer' => 'Guardar como Pie de Página predefinido',
+ 'token_management' => 'Administración de Tokens',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Agregar Token',
+ 'show_deleted_tokens' => 'Mostrar tokens eliminados',
+ 'deleted_token' => 'Token eliminado correctamente',
+ 'created_token' => 'Token creado correctamente',
+ 'updated_token' => 'Token actualizado correctamente',
+ 'edit_token' => 'Editar Token',
+ 'delete_token' => 'Eliminar Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Agregar Pasarela',
+ 'delete_gateway' => 'Eliminar Pasarela',
+ 'edit_gateway' => 'Editar Pasarela',
+ 'updated_gateway' => 'Pasarela actualizada correctamente',
+ 'created_gateway' => 'Pasarela creada correctamente',
+ 'deleted_gateway' => 'Pasarela eliminada correctamente',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Tarjeta de Crédito',
+ 'change_password' => 'Cambiar Contraseña',
+ 'current_password' => 'Contraseña Actual',
+ 'new_password' => 'Nueva Contraseña',
+ 'confirm_password' => 'Confirmar Contraseña',
+ 'password_error_incorrect' => 'La Contraseña actual es incorrecta.',
+ 'password_error_invalid' => 'La nueva Contraseña no es válida.',
+ 'updated_password' => 'Contraseña actualizada correctamente',
+ 'api_tokens' => 'API Tokens',
+ 'users_and_tokens' => 'Usuarios & Tokens',
+ 'account_login' => 'Inicio de Sesión con su Cuenta',
+ 'recover_password' => 'Recuperar Contraseña',
+ 'forgot_password' => '¿Olvidó su Contraseña?',
+ 'email_address' => 'Dirección de Email',
+ 'lets_go' => 'Acceder',
+ 'password_recovery' => 'Recuperar Contraseña',
+ 'send_email' => 'Enviar Email',
+ 'set_password' => 'Establecer Contraseña',
+ 'converted' => 'Modificada',
+ 'email_approved' => 'Avísame por correo cuando un presupuesto sea Aprobado',
+ 'notification_quote_approved_subject' => 'El presupuesto :invoice fue Aprobado por :client',
+ 'notification_quote_approved' => 'El cliente :client aprobó el presupuesto :invoice por :amount.',
+ 'resend_confirmation' => 'Reenviar correo de Confirmacion',
+ 'confirmation_resent' => 'El correo de confirmación fué reenviado',
+ 'gateway_help_42' => ':link para registrarse en BitPay.
Nota: Use una Legacy API Key, no un API token.',
+ 'payment_type_credit_card' => 'Tarjeta de Crédito',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Ayuda',
+ 'partial' => 'Parcial/Depósito',
+ 'partial_remaining' => ':partial de :balance',
+ 'more_fields' => 'Mas Campos',
+ 'less_fields' => 'Menos Campos',
+ 'client_name' => 'Nombre del Cliente',
+ 'pdf_settings' => 'Configuración del PDF',
+ 'product_settings' => 'Configuración de Producto',
+ 'auto_wrap' => 'Auto ajuste de línea',
+ 'duplicate_post' => 'Atencion: la pagina anterior se ha enviado dos veces. El segundo envío será ignorado.',
+ 'view_documentation' => 'Ver Documentación',
+ 'app_title' => 'Facturación Open-Source gratuita',
+ 'app_description' => 'Invoice Ninja es una solución open-source gratuita para manejar la facturación de tus clientes. Con Invoice Ninja, se pueden crear y enviar hermosas facturas desde cualquier dispositivo que tenga acceso a Internet. Tus clientes pueden imprimir tus facturas, descargarlas en formato PDF o inclusive pagarlas en linea desde esta misma plataforma.',
+ 'rows' => 'filas',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdominio',
+ 'provide_name_or_email' => 'Por favor introduzca su nombre o email',
+ 'charts_and_reports' => 'Gráficas e Informes',
+ 'chart' => 'Gráfica',
+ 'report' => 'Informe',
+ 'group_by' => 'Agrupar por',
+ 'paid' => 'Pagado',
+ 'enable_report' => 'Informe',
+ 'enable_chart' => 'Gráfico',
+ 'totals' => 'Totales',
+ 'run' => 'Ejecutar',
+ 'export' => 'Exportar',
+ 'documentation' => 'Documentación',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Facturas Recurrentes',
+ 'last_invoice_sent' => 'Última factura enviada el :date',
+ 'processed_updates' => 'Actualización correcta',
+ 'tasks' => 'Tareas',
+ 'new_task' => 'Nueva tarea',
+ 'start_time' => 'Hora de Inicio',
+ 'created_task' => 'Tarea creada correctamente',
+ 'updated_task' => 'Tarea actualizada correctamente',
+ 'edit_task' => 'Editar Tarea',
+ 'archive_task' => 'Archivar Tarea',
+ 'restore_task' => 'Restaurar Tarea',
+ 'delete_task' => 'Borrar Tarea',
+ 'stop_task' => 'Parar Tarea',
+ 'time' => 'Hora',
+ 'start' => 'Iniciar',
+ 'stop' => 'Parar',
+ 'now' => 'Ahora',
+ 'timer' => 'Temporizador',
+ 'manual' => 'Manual',
+ 'date_and_time' => 'Día y hora',
+ 'second' => 'segundo',
+ 'seconds' => 'segundos',
+ 'minute' => 'minuto',
+ 'minutes' => 'minutos',
+ 'hour' => 'hora',
+ 'hours' => 'horas',
+ 'task_details' => 'Detalles de Tarea',
+ 'duration' => 'Duración',
+ 'end_time' => 'Hora de Fin',
+ 'end' => 'Fin',
+ 'invoiced' => 'Facturado',
+ 'logged' => 'Registrado',
+ 'running' => 'Ejecutando',
+ 'task_error_multiple_clients' => 'Las tareas no pueden pertenecer a diferentes clientes',
+ 'task_error_running' => 'Por favor, primero para las tareas que se estén ejecutandose.',
+ 'task_error_invoiced' => 'Las tareas ya se han Facturado',
+ 'restored_task' => 'Tarea restaurada correctamente',
+ 'archived_task' => 'Tarea archivada correctamente',
+ 'archived_tasks' => ':count tareas archivadas correctamente',
+ 'deleted_task' => 'Tarea borrada correctamente',
+ 'deleted_tasks' => ':count tareas borradas correctamente',
+ 'create_task' => 'Crear Tarea',
+ 'stopped_task' => 'Tarea parada correctamente',
+ 'invoice_task' => 'Facturar tarea',
+ 'invoice_labels' => 'Etiquetas de Factura',
+ 'prefix' => 'Prefijo',
+ 'counter' => 'Contador',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link para registrase en Dwolla.',
+ 'partial_value' => 'Debe ser mayor que 0 y menos que el Total',
+ 'more_actions' => 'Más Acciones',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Actualízate ahora!',
+ 'pro_plan_feature1' => 'Crear Clientes Ilimitados',
+ 'pro_plan_feature2' => 'Acceder a 10 hermosos diseños de Factura',
+ 'pro_plan_feature3' => 'URLs personalizadas - "TuMarca.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Eliminar "Creado por Invoice Ninja"',
+ 'pro_plan_feature5' => 'Acceso Multiusuario y seguimiento de Actividad',
+ 'pro_plan_feature6' => 'Crear Presupuestos y Facturas Pro-forma',
+ 'pro_plan_feature7' => 'Personaliza los títulos y numeración de los campos de Factura',
+ 'pro_plan_feature8' => 'Opción para adjuntar PDFs a los correos de los clientes',
+ 'resume' => 'Reanudar',
+ 'break_duration' => 'Pausar',
+ 'edit_details' => 'Editar Detalles',
+ 'work' => 'Trabajo',
+ 'timezone_unset' => 'Por favor :link para especificar su Uso Horario',
+ 'click_here' => 'pulse aqui',
+ 'email_receipt' => 'Enviar Recibo de Pago al cliente',
+ 'created_payment_emailed_client' => 'Pago creado y enviado al cliente correctamente',
+ 'add_company' => 'Añadir Compañía',
+ 'untitled' => 'Sin Título',
+ 'new_company' => 'Nueva Compañía',
+ 'associated_accounts' => 'Cuentas conectadas correctamente',
+ 'unlinked_account' => 'Cuentas desconectadas correctamente',
+ 'login' => 'Iniciar Sesión',
+ 'or' => 'o',
+ 'email_error' => 'Ocurrió un problema enviando el correo',
+ 'confirm_recurring_timing' => 'Nota: correos enviados cada hora en punto.',
+ 'confirm_recurring_timing_not_sent' => 'Nota: las facturas son creadas a las horas en punto.',
+ 'payment_terms_help' => 'Establezca la fecha límite de pago de factura por defecto',
+ 'unlink_account' => 'Desconectar Cuenta',
+ 'unlink' => 'Desconectar',
+ 'show_address' => 'Mostrar Dirección',
+ 'show_address_help' => 'Cliente obligatorio para utilizar su dirección de Facturación',
+ 'update_address' => 'Actualizar Dirección',
+ 'update_address_help' => 'Actualizar la direccion del cliente con los datos provistos',
+ 'times' => 'Tiempos',
+ 'set_now' => 'Establecer ahora',
+ 'dark_mode' => 'Modo Oscuro',
+ 'dark_mode_help' => 'Usar fondo oscuro en barras laterales',
+ 'add_to_invoice' => 'Añadir a la factura :invoice',
+ 'create_new_invoice' => 'Crear una nueva factura',
+ 'task_errors' => 'Por favor corrija cualquier tiempo que se solape con otro',
+ 'from' => 'De',
+ 'to' => 'Para',
+ 'font_size' => 'Tamaño de Letra',
+ 'primary_color' => 'Color Primario',
+ 'secondary_color' => 'Color Secundario',
+ 'customize_design' => 'Personalizar diseño',
+ 'content' => 'Contenido',
+ 'styles' => 'Estilos',
+ 'defaults' => 'Ajustes Predefinidos',
+ 'margins' => 'Margenes',
+ 'header' => 'Cabecera',
+ 'footer' => 'Pie',
+ 'custom' => 'Personalizado',
+ 'invoice_to' => 'Factura para',
+ 'invoice_no' => 'Nº Factura',
+ 'quote_no' => 'Nº de Presupuesto',
+ 'recent_payments' => 'Pagos recientes',
+ 'outstanding' => 'Pendiente de Cobro',
+ 'manage_companies' => 'Administración de Compañías',
+ 'total_revenue' => 'Ingresos Totales',
+ 'current_user' => 'Usuario Actual',
+ 'new_recurring_invoice' => 'Nueva Factura Recurrente',
+ 'recurring_invoice' => 'Factura Recurrente',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Es demasiado pronto para crear la siguiente factura recurrente, esta programada para :date',
+ 'created_by_invoice' => 'Creado por :invoice',
+ 'primary_user' => 'Usuario Principal',
+ 'help' => 'Ayuda',
+ 'customize_help' => 'Usamos :pdfmake_link para definir los diseños de la factura. Pdfmake :playground_link provee de una buena forma de ver la librería en acción.
+ Si necesitas ayuda para modificar algo, escríbenos una pregunta a nuestro :forum_link con el diseño que estés usando.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'Foro de soporte',
+ 'invoice_due_date' => 'Fecha Límite de Pago',
+ 'quote_due_date' => 'Válido hasta',
+ 'valid_until' => 'Válido hasta',
+ 'reset_terms' => 'Reiniciar Términos',
+ 'reset_footer' => 'Reiniciar pie',
+ 'invoice_sent' => 'Factura :count enviada',
+ 'invoices_sent' => ':count facturas enviadas',
+ 'status_draft' => 'Borrador',
+ 'status_sent' => 'Enviada',
+ 'status_viewed' => 'Vista',
+ 'status_partial' => 'Parcial',
+ 'status_paid' => 'Pagada',
+ 'status_unpaid' => 'Impagada',
+ 'status_all' => 'Todo',
+ 'show_line_item_tax' => 'Mostrar impuesto para cada Línea de Factura',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'Copia el siguiente código en una página de tu sitio web.',
+ 'iframe_url_help2' => 'Puedes probar esta funcionalidad pulsando \'Ver como destinatario\' de una Factura.',
+ 'auto_bill' => 'Facturación Automática',
+ 'military_time' => '24 Horas',
+ 'last_sent' => 'Última enviada',
+ 'reminder_emails' => 'Correos Recordatorio',
+ 'templates_and_reminders' => 'Plantillas & Recordatorios',
+ 'subject' => 'Asunto',
+ 'body' => 'Cuerpo',
+ 'first_reminder' => 'Primer Recordatorio',
+ 'second_reminder' => 'Segundo Recordatorio',
+ 'third_reminder' => 'Tercer Recordatorio',
+ 'num_days_reminder' => 'Días después de la Fecha Límite de Pago',
+ 'reminder_subject' => 'Recordatorio: Factura :invoice de :account',
+ 'reset' => 'Reiniciar',
+ 'invoice_not_found' => 'La Factura solicitada no está disponible',
+ 'referral_program' => 'Programa de Recomendaciones',
+ 'referral_code' => 'Codigo de Recomendacion',
+ 'last_sent_on' => 'Enviado la ultima vez en :date',
+ 'page_expire' => 'Esta página expirará en breve, :click_here para seguir trabajando',
+ 'upcoming_quotes' => 'Próximos Presupuestos',
+ 'expired_quotes' => 'Presupuestos Expirados',
+ 'sign_up_using' => 'Registrarse usando',
+ 'invalid_credentials' => 'Las credenciales no coinciden con nuestros registros',
+ 'show_all_options' => 'Mostrar todas las opciones',
+ 'user_details' => 'Detalles de Usuario',
+ 'oneclick_login' => 'Cuenta Conectada',
+ 'disable' => 'Deshabilitado',
+ 'invoice_quote_number' => 'Números de Factura y Presupuesto',
+ 'invoice_charges' => 'Recargos de Factura',
+ 'notification_invoice_bounced' => 'No se pudo entregar la factura :invoice a :contact.',
+ 'notification_invoice_bounced_subject' => 'No se puede entregar la factura :invoice',
+ 'notification_quote_bounced' => 'No se pudo entregar el presupuesto :invoice a :contact.',
+ 'notification_quote_bounced_subject' => 'No se puede Entregar el presupuesto :invoice',
+ 'custom_invoice_link' => 'Enlace a Factura personalizado',
+ 'total_invoiced' => 'Total Facturado',
+ 'open_balance' => 'Saldo Pendiente',
+ 'verify_email' => 'Por favor, visite el enlace en el correo de confirmación de cuenta para verificar su correo.',
+ 'basic_settings' => 'Configuración Básica',
+ 'pro' => 'Pro',
+ 'gateways' => 'Pasarelas de Pago',
+ 'next_send_on' => 'Próximo envío: :date',
+ 'no_longer_running' => 'Esta factura no esta programada para su ejecución',
+ 'general_settings' => 'Configuración General',
+ 'customize' => 'Personalizar',
+ 'oneclick_login_help' => 'Conectar una cuenta para entrar sin contraseña',
+ 'referral_code_help' => 'Gana dinero compartiendo nuestra aplicacion online',
+ 'enable_with_stripe' => 'Habilitado | Requiere Stripe',
+ 'tax_settings' => 'Configuración de Impuestos',
+ 'create_tax_rate' => 'Añadir impuesto',
+ 'updated_tax_rate' => 'Impuesto actualizado correctamente',
+ 'created_tax_rate' => 'Impuesto creado correctamente',
+ 'edit_tax_rate' => 'Editar impuesto',
+ 'archive_tax_rate' => 'Archivar impuesto',
+ 'archived_tax_rate' => 'Impuesto archivado correctamente',
+ 'default_tax_rate_id' => 'Impuesto predeterminado',
+ 'tax_rate' => 'Impuesto',
+ 'recurring_hour' => 'Hora periódica',
+ 'pattern' => 'Patrón',
+ 'pattern_help_title' => 'Ayuda del patrón',
+ 'pattern_help_1' => 'Crear Números de Factura y de Presupuesto personalizados mediante un Patron',
+ 'pattern_help_2' => 'Variables disponibles:',
+ 'pattern_help_3' => 'Por ejemplo, :example será convertido a :value',
+ 'see_options' => 'Ver opciones',
+ 'invoice_counter' => 'Contador de Factura',
+ 'quote_counter' => 'Contador de Presupuesto',
+ 'type' => 'Tipo',
+ 'activity_1' => ':user creó el cliente :client',
+ 'activity_2' => ':user archivó el cliente :client',
+ 'activity_3' => ':user borró el cliente :client',
+ 'activity_4' => ':user archivó la factura :invoice',
+ 'activity_5' => ':user actualizó la factura :invoice',
+ 'activity_6' => ':user envió la factura :invoice to :contact',
+ 'activity_7' => ':contact vió la factura :invoice',
+ 'activity_8' => ':user archivó la factura :invoice',
+ 'activity_9' => ':user borró la factura :invoice',
+ 'activity_10' => ':contact introdujo el Pago :payment para :invoice',
+ 'activity_11' => ':user actualizó el Pago :payment',
+ 'activity_12' => ':user archivó el pago :payment',
+ 'activity_13' => ':user borró el pago :payment',
+ 'activity_14' => ':user introdujo :credit credito',
+ 'activity_15' => ':user actualizó :credit credito',
+ 'activity_16' => ':user archivó :credit credito',
+ 'activity_17' => ':user deleted :credit credito',
+ 'activity_18' => ':user borró el presupuesto :quote',
+ 'activity_19' => ':user actualizó el presupuesto :quote',
+ 'activity_20' => ':user envió el presupuesto :quote to :contact',
+ 'activity_21' => ':contact vió el presupuesto :quote',
+ 'activity_22' => ':user archivó el presupuesto :quote',
+ 'activity_23' => ':user borró el presupuesto :quote',
+ 'activity_24' => ':user restauró el presupuesto :quote',
+ 'activity_25' => ':user restauró la factura :invoice',
+ 'activity_26' => ':user restauró el cliente :client',
+ 'activity_27' => ':user restauró el pago :payment',
+ 'activity_28' => ':user restauró :credit credito',
+ 'activity_29' => ':contact aprobó el presupuesto :quote',
+ 'activity_30' => ':user creó al vendedor :vendor',
+ 'activity_31' => ':user archivó al vendedor :vendor',
+ 'activity_32' => ':user eliminó al vendedor :vendor',
+ 'activity_33' => ':user restauró al vendedor :vendor',
+ 'activity_34' => ':user creó el gasto :expense',
+ 'activity_35' => ':user archivó el gasto :expense',
+ 'activity_36' => ':user eliminó el gasto :expense',
+ 'activity_37' => ':user restauró el gasto :expense',
+ 'activity_42' => ':user creó la tarea :task',
+ 'activity_43' => ':user actualizó la tarea :task',
+ 'activity_44' => ':user archivó la tarea :task',
+ 'activity_45' => ':user eliminó la tarea :task',
+ 'activity_46' => ':user restauró la tarea :task',
+ 'activity_47' => ':user actualizó el gasto :expense',
+ 'payment' => 'Pago',
+ 'system' => 'Sistema',
+ 'signature' => 'Firma del correo',
+ 'default_messages' => 'Mensajes Predefinidos',
+ 'quote_terms' => 'Términos del Presupuesto',
+ 'default_quote_terms' => 'Términos del Presupuesto predefinidos',
+ 'default_invoice_terms' => 'Términos de Factura Predeterminado',
+ 'default_invoice_footer' => 'Pie de Página de Factura Predeterminado',
+ 'quote_footer' => 'Pie del Presupuesto',
+ 'free' => 'Gratis',
+ 'quote_is_approved' => 'Aprobado correctamente',
+ 'apply_credit' => 'Aplicar Crédito',
+ 'system_settings' => 'Configuración del Sistema',
+ 'archive_token' => 'Archivar Token',
+ 'archived_token' => 'Token archivado correctamente',
+ 'archive_user' => 'Archivar Usuario',
+ 'archived_user' => 'Usuario archivado correctamente',
+ 'archive_account_gateway' => 'Archivar Pasarela',
+ 'archived_account_gateway' => 'Pasarela archivada correctamente',
+ 'archive_recurring_invoice' => 'Archivar Factura Recurrente',
+ 'archived_recurring_invoice' => 'Factura recurrente archivada correctamente',
+ 'delete_recurring_invoice' => 'Borrar Factura Recurrente',
+ 'deleted_recurring_invoice' => 'Factura recurrente borrada correctamente',
+ 'restore_recurring_invoice' => 'Restaurar Factura Recurrente ',
+ 'restored_recurring_invoice' => 'Factura recurrente restaurada correctamente',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archivado',
+ 'untitled_account' => 'Compañía sin Nombre',
+ 'before' => 'Antes',
+ 'after' => 'Después',
+ 'reset_terms_help' => 'Reiniciar los términos por defecto de la cuenta',
+ 'reset_footer_help' => 'Reiniciar el pie de página por defecto de la cuenta',
+ 'export_data' => 'Exportar',
+ 'user' => 'Usuario',
+ 'country' => 'Pais',
+ 'include' => 'Incluir',
+ 'logo_too_large' => 'El logo es :size, para un buen rendimiento del PDF, sugerimos cargar una imagen de menos de 200KB',
+ 'import_freshbooks' => 'Importar desde FreshBooks',
+ 'import_data' => 'Importar datos',
+ 'source' => 'Origen',
+ 'csv' => 'CSV',
+ 'client_file' => 'Fichero de Clientes',
+ 'invoice_file' => 'Fichero de Factura',
+ 'task_file' => 'Fichero de Tareas',
+ 'no_mapper' => 'Mapeo no válido para el fichero',
+ 'invalid_csv_header' => 'Cabecera CSV no Válida',
+ 'client_portal' => 'Portal Cliente',
+ 'admin' => 'Admin.',
+ 'disabled' => 'Deshabilitado',
+ 'show_archived_users' => 'Mostrar usuarios archivados',
+ 'notes' => 'Notas',
+ 'invoice_will_create' => 'la factura será creada',
+ 'invoices_will_create' => 'facturas serán creadas',
+ 'failed_to_import' => 'Los siguientes registros fallaron al importar',
+ 'publishable_key' => 'Clave pública',
+ 'secret_key' => 'Clave Privada',
+ 'missing_publishable_key' => 'Establece tu clave publica de Stripe para mejorar el proceso de checkout',
+ 'email_design' => 'Diseño de Correo',
+ 'due_by' => 'A pagar el :date',
+ 'enable_email_markup' => 'Habilitar Markup',
+ 'enable_email_markup_help' => 'Haga que sea fácil para sus clientes que paguen mediante la adición de marcas "schema.org" a sus correos electrónicos.',
+ 'template_help_title' => 'Ayuda',
+ 'template_help_1' => 'Variables disponibles:',
+ 'email_design_id' => 'Estilo de Correo',
+ 'email_design_help' => 'Haga que sus mensajes de email tengan un aspecto más profesional con diseños HTML',
+ 'plain' => 'Plano',
+ 'light' => 'Claro',
+ 'dark' => 'Oscuro',
+ 'industry_help' => 'Usado para proporcionar comparaciones de las medias de empresas de sectores y tamaño similares.',
+ 'subdomain_help' => 'Asigne el subdominio o mostrar la factura en su propio sitio web.',
+ 'website_help' => 'Mostrar la factura en un iFrame de su sitio web',
+ 'invoice_number_help' => 'Especifique un prefijo o utilice un patrón a medida para establecer dinámicamente el número de Factura.',
+ 'quote_number_help' => 'Especifique un prefijo o utilice un patrón a medida para establecer dinámicamente el número de presupuesto.',
+ 'custom_client_fields_helps' => 'Añadir un campo al crear un Cliente y opcionalmente mostrar la etiqueta y su valor en el PDF.',
+ 'custom_account_fields_helps' => 'Añadir una etiqueta y su valor a la sección de detalles de la empresa del PDF.',
+ 'custom_invoice_fields_helps' => 'Añadir un campo al crear una Factura y opcionalmente mostrar la etiqueta y su valor en el PDF.',
+ 'custom_invoice_charges_helps' => 'Añadir un campo al crear una Factura e incluir el cargo en el subtotal de la Factura.',
+ 'token_expired' => 'Token de validación ha caducado. Por favor, vuelva a intentarlo.',
+ 'invoice_link' => 'Enlace a Factura',
+ 'button_confirmation_message' => 'Pulse aqui para confirmar su dirección de correo.',
+ 'confirm' => 'Confirmar',
+ 'email_preferences' => 'Preferencias de Correo',
+ 'created_invoices' => ':count factura(s) creada(s) correctamente',
+ 'next_invoice_number' => 'El próximo número de Factura es :number.',
+ 'next_quote_number' => 'El próximo número de presupuesto es :number.',
+ 'days_before' => 'días antes de',
+ 'days_after' => 'días después de',
+ 'field_due_date' => 'Fecha de Pago',
+ 'field_invoice_date' => 'Fecha de Factura',
+ 'schedule' => 'Programar',
+ 'email_designs' => 'Diseños de correo',
+ 'assigned_when_sent' => 'Asignado al enviar',
+ 'white_label_purchase_link' => 'Comprar licencia de marca blanca',
+ 'expense' => 'Gasto',
+ 'expenses' => 'Gastos',
+ 'new_expense' => 'Nuevo Gasto',
+ 'enter_expense' => 'Introducir Gasto',
+ 'vendors' => 'Proveedores',
+ 'new_vendor' => 'Nuevo Proveedor',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Proveedor',
+ 'edit_vendor' => 'Editar Proveedor',
+ 'archive_vendor' => 'Archivar Proveedor',
+ 'delete_vendor' => 'Borrar Proveedor',
+ 'view_vendor' => 'Ver Proveedor',
+ 'deleted_expense' => 'Gasto borrado correctamente',
+ 'archived_expense' => 'Gasto archivado correctamente',
+ 'deleted_expenses' => 'Gastos borrados correctamente',
+ 'archived_expenses' => 'Gastos archivados correctamente',
+ 'expense_amount' => 'Importe del Gasto',
+ 'expense_balance' => 'Saldo del Gasto',
+ 'expense_date' => 'Fecha',
+ 'expense_should_be_invoiced' => '¿Este gasto debe ser facturado?',
+ 'public_notes' => 'Notas',
+ 'invoice_amount' => 'Importe de Factura',
+ 'exchange_rate' => 'Tipo de Cambio',
+ 'yes' => 'Sí',
+ 'no' => 'No',
+ 'should_be_invoiced' => 'Debe ser Facturado',
+ 'view_expense' => 'Ver gasto # :expense',
+ 'edit_expense' => 'Editar Gasto',
+ 'archive_expense' => 'Archivar Gasto',
+ 'delete_expense' => 'Borrar Gasto',
+ 'view_expense_num' => 'Gasto # :expense',
+ 'updated_expense' => 'Gasto actualizado correctamente',
+ 'created_expense' => 'Gasto creado correctamente',
+ 'enter_expense' => 'Introducir Gasto',
+ 'view' => 'Ver',
+ 'restore_expense' => 'Restaurar Gasto',
+ 'invoice_expense' => 'Facturar Gasto',
+ 'expense_error_multiple_clients' => 'Los gastos no pertenecen a diferentes clientes',
+ 'expense_error_invoiced' => 'El gasto ya ha sido facturado',
+ 'convert_currency' => 'Convertir moneda',
+ 'num_days' => 'Número de Días',
+ 'create_payment_term' => 'Crear Términos de Pago',
+ 'edit_payment_terms' => 'Editar los Términos de Pago',
+ 'edit_payment_term' => 'Editar el Términos de Pago',
+ 'archive_payment_term' => 'Archivar Términos de Pago',
+ 'recurring_due_dates' => 'Fecha de Vencimiento de Factura Recurrente',
+ 'recurring_due_date_help' => 'Establece automáticamente una fecha de vencimiento para la factura.
+Las facturas en un ciclo mensual o anual que vencen en o antes del día en que se crearán vencerán el próximo mes. Las facturas que vencen el 29 o 30 en meses que no tienen ese día se vencen el último día del mes.
+Las facturas de un ciclo semanal que vence el día de la semana en que se crearán se vencerán la próxima semana.
+Por ejemplo:
+
+- Hoy es el día 15, la fecha de vencimiento es el 1 de cada mes. La fecha de vencimiento probablemente sea el día 1 del próximo mes.
+- Hoy es el día 15, la fecha de vencimiento es el último día del mes. La fecha de vencimiento será el último día de este mes.
+- Hoy es el día 15, la fecha de vencimiento es el día 15 del mes. La fecha de vencimiento será el día 15 del mes próximo.
+- Hoy es el viernes, la fecha límite es el primer viernes después. La fecha de vencimiento será el próximo viernes, no hoy.
',
+ 'due' => 'Vencimiento',
+ 'next_due_on' => 'Próximo Vencimiento: :date',
+ 'use_client_terms' => 'Utilizar términos del cliente',
+ 'day_of_month' => ':ordinal día del mes',
+ 'last_day_of_month' => 'Último día del mes',
+ 'day_of_week_after' => ':ordinal :day despues',
+ 'sunday' => 'Domingo',
+ 'monday' => 'Lunes',
+ 'tuesday' => 'Martes',
+ 'wednesday' => 'Miércoles',
+ 'thursday' => 'Jueves',
+ 'friday' => 'Viernes',
+ 'saturday' => 'Sábado',
+ 'header_font_id' => 'Tipo de letra de la cabecera',
+ 'body_font_id' => 'Tipo de letra del cuerpo',
+ 'color_font_help' => 'Nota: el color primario y las fuentes también se utilizan en el portal del cliente y los diseños de correo electrónico personalizados.',
+ 'live_preview' => 'Previsualización en vivo',
+ 'invalid_mail_config' => 'Imposible enviar el correo, por favor, comprobar que la configuración de correo es correcta.',
+ 'invoice_message_button' => 'Para ver su Factura con importe :amount, pulse el siguiente botón.',
+ 'quote_message_button' => 'Para ver su presupuesto con importe :amount, pulse el siguiente botón.',
+ 'payment_message_button' => 'Gracias por su Pago de :amount.',
+ 'payment_type_direct_debit' => 'Débito Automático',
+ 'bank_accounts' => 'Cuentas Bancarias',
+ 'add_bank_account' => 'Añadir Cuenta Bancaria',
+ 'setup_account' => 'Configurar Cuenta',
+ 'import_expenses' => 'Importar Gastos',
+ 'bank_id' => 'Banco',
+ 'integration_type' => 'Tipo de Integración',
+ 'updated_bank_account' => 'Cuenta bancaria actualizada correctamente',
+ 'edit_bank_account' => 'Editar Cuenta Bancaria',
+ 'archive_bank_account' => 'Archivar Cuenta Bancaria',
+ 'archived_bank_account' => 'Cuenta bancaria archivada correctamente',
+ 'created_bank_account' => 'Cuenta bancaria creada correctamente',
+ 'validate_bank_account' => 'Validar Cuenta Bancaria',
+ 'bank_password_help' => 'Nota: tu password se transmite de manera segura y nunca se almacenará en nuestros servidores.',
+ 'bank_password_warning' => 'Atención! tu password puede estar transmitida como texto plano, considera habilitar HTTPS.',
+ 'username' => 'Usuario',
+ 'account_number' => 'Número de Cuenta',
+ 'account_name' => 'Nombre de Cuenta',
+ 'bank_account_error' => 'Fallo al obtener los detalles de la cuenta, por favor comprueba tus credenciales.',
+ 'status_approved' => 'Aprobado',
+ 'quote_settings' => 'Configuración de Presupuestos',
+ 'auto_convert_quote' => 'Auto Convertir',
+ 'auto_convert_quote_help' => 'Convertir un Presupuesto en Factura automáticamente cuando lo apruebe el cliente.',
+ 'validate' => 'Validar',
+ 'info' => 'Info',
+ 'imported_expenses' => ' :count_vendors proveedor(es) y :count_expenses gasto(s) importados correctamente',
+ 'iframe_url_help3' => 'Nota: Si piensas aceptar tarjetas de credito recomendamos tener habilitado HTTPS.',
+ 'expense_error_multiple_currencies' => 'Los gastos no pueden tener diferentes monedas',
+ 'expense_error_mismatch_currencies' => 'La moneda del cliente no coincide con la moneda del gasto.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Cabecera/Pie',
+ 'first_page' => 'Primera página',
+ 'all_pages' => 'Todas las páginas',
+ 'last_page' => 'Última página',
+ 'all_pages_header' => 'Mostrar Cabecera en',
+ 'all_pages_footer' => 'Mostrar Pie en',
+ 'invoice_currency' => 'Moneda de la Factura',
+ 'enable_https' => 'Recomendamos encarecidamente usar HTTPS para aceptar detalles de tarjetas de credito online',
+ 'quote_issued_to' => 'Presupuesto emitido a',
+ 'show_currency_code' => 'Código de Moneda',
+ 'free_year_message' => 'Tu cuenta ha sido actualizada al Plan Pro por un año sin ningun coste.',
+ 'trial_message' => 'Tu cuenta recibirá dos semanas gratuitas de nuestro plan Pro.',
+ 'trial_footer' => 'Tu prueba gratuita del Plan Pro termina en :count días, :link para actualizar ahora.',
+ 'trial_footer_last_day' => 'Hoy es tu último dia de prueba gratuita del Plan Pro, :link para actualizar ahora.',
+ 'trial_call_to_action' => 'Iniciar periodo de Prueba',
+ 'trial_success' => 'Habilitado correctamente el periodo de dos semanas de prueba Pro ',
+ 'overdue' => 'Atraso',
+
+
+ 'white_label_text' => 'Compra UN AÑO de Licencia de Marca Blanca por $:price y elimina la marca Invoice Ninja de la Factura y del Portal de Cliente.',
+ 'user_email_footer' => 'Para ajustar la configuración de las notificaciones de tu email, visita :link',
+ 'reset_password_footer' => 'Si no has solicitado un cambio de contraseña, por favor contactate con nosostros: :email',
+ 'limit_users' => 'Lo sentimos, esta acción excederá el límite de :limit usarios',
+ 'more_designs_self_host_header' => 'Obtenga 6 diseños más para Facturas por sólo $:price',
+ 'old_browser' => 'Por favor usa un :link',
+ 'newer_browser' => 'navegador nuevo',
+ 'white_label_custom_css' => ':link para $:price para permitir un estilo personalizado y ayudar a respaldar nuestro proyecto.',
+ 'bank_accounts_help' => 'Conecta una cuenta bancaria para importar automáticamente gastos y crear proveedores. Soporta American Express y :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link haz click para eliminar el logo de Invoice Ninja',
+ 'pro_plan_remove_logo_link' => 'Haz click aquí',
+ 'invitation_status_sent' => 'Enviado',
+ 'invitation_status_opened' => 'Abierto',
+ 'invitation_status_viewed' => 'Visto',
+ 'email_error_inactive_client' => 'No se pueden enviar correos a Clientes inactivos',
+ 'email_error_inactive_contact' => 'No se pueden enviar correos a Contactos inactivos',
+ 'email_error_inactive_invoice' => 'No se pueden enviar correos de Facturas inactivas',
+ 'email_error_inactive_proposal' => 'No se pueden enviar correos a Propuestas inactivas',
+ 'email_error_user_unregistered' => 'Por favor registra tu cuenta para enviar correos',
+ 'email_error_user_unconfirmed' => 'Por favor confirma tu cuenta para enviar correos',
+ 'email_error_invalid_contact_email' => 'Correo de contacto no válido',
+
+ 'navigation' => 'Navegación',
+ 'list_invoices' => 'Lista de Facturas',
+ 'list_clients' => 'Lista de Clientes',
+ 'list_quotes' => 'Lista de Presupuestos',
+ 'list_tasks' => 'Lista de Tareas',
+ 'list_expenses' => 'Lista de Gastos',
+ 'list_recurring_invoices' => 'Lista de Facturas Recurrentes',
+ 'list_payments' => 'Lista de Pagos',
+ 'list_credits' => 'Lista de Creditos',
+ 'tax_name' => 'Nombre de Impuesto',
+ 'report_settings' => 'Configuración de Informes',
+ 'search_hotkey' => 'Atajo es /',
+
+ 'new_user' => 'Nuevo Usuario',
+ 'new_product' => 'Nuevo Producto',
+ 'new_tax_rate' => 'Nuevo Impuesto',
+ 'invoiced_amount' => 'Importe Facturado',
+ 'invoice_item_fields' => 'Campos de Línea de Factura',
+ 'custom_invoice_item_fields_help' => 'Añadir un campo al crear un concepto de factura y mostrar la etiqueta y su valor en el PDF.',
+ 'recurring_invoice_number' => 'Número Recurrente',
+ 'recurring_invoice_number_prefix_help' => 'Indica el prefijo a añadir al número de factura para las facturas recurrentes.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Proteger Facturas con Contraseña',
+ 'enable_portal_password_help' => 'Habilite para seleccionar una contraseña para cada contacto. Si una contraseña esta especificada, se le será solicitada al contacto para acceder a sus facturas.',
+ 'send_portal_password' => 'Generada Automaticamente',
+ 'send_portal_password_help' => 'Si no se especifica password, se generará una y se enviará junto con la primera Factura.',
+
+ 'expired' => 'Expirada',
+ 'invalid_card_number' => 'El Número de Tarjeta de Credito no es válido',
+ 'invalid_expiry' => 'La fecha de vencimiento no es válida.',
+ 'invalid_cvv' => 'El CVV no es válido.',
+ 'cost' => 'Coste',
+ 'create_invoice_for_sample' => 'Nota: cree una factura para previsualizarla aquí.',
+
+ // User Permissions
+ 'owner' => 'Propietario',
+ 'administrator' => 'Administrador',
+ 'administrator_help' => 'Permitir que administre usuarios, cambie configuración y modifique cualquier registro',
+ 'user_create_all' => 'Crear clientes, facturas, etc.',
+ 'user_view_all' => 'Ver todos los clientes, facturas, etc.',
+ 'user_edit_all' => 'Editar todos los clientes, facturas, etc.',
+ 'gateway_help_20' => ':link para registrarse en Sage Pay.',
+ 'gateway_help_21' => ':link para registrarse en Sage Pay.',
+ 'partial_due' => 'Vencimiento parcial',
+ 'restore_vendor' => 'Restablecer Proveedor',
+ 'restored_vendor' => 'Proveedor restaurado correctamente',
+ 'restored_expense' => 'Gasto restaurado correctamente',
+ 'permissions' => 'Permisos',
+ 'create_all_help' => 'Permitir al usuario crear y modificar registros',
+ 'view_all_help' => 'Permitir al usuario ver registros. No podrán crearlos',
+ 'edit_all_help' => 'Permitir al usuario modificar registros. No podrán crearlos',
+ 'view_payment' => 'Ver Pago',
+
+ 'january' => 'Enero',
+ 'february' => 'Febrero',
+ 'march' => 'Marzo',
+ 'april' => 'Abril',
+ 'may' => 'Mayo',
+ 'june' => 'Junio',
+ 'july' => 'Julio',
+ 'august' => 'Agosto',
+ 'september' => 'Septiembre',
+ 'october' => 'Octubre',
+ 'november' => 'Noviembre',
+ 'december' => 'Diciembre',
+
+ // Documents
+ 'documents_header' => 'Documentos:',
+ 'email_documents_header' => 'Documentos:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Documentos de Presupuesto',
+ 'invoice_documents' => 'Documentos de Factura',
+ 'expense_documents' => 'Documentos de Gasto',
+ 'invoice_embed_documents' => 'Documentos anexados',
+ 'invoice_embed_documents_help' => 'Incluye imagenes adjuntas en la factura',
+ 'document_email_attachment' => 'Adjuntar documentos',
+ 'ubl_email_attachment' => 'Adjuntar URL',
+ 'download_documents' => 'Descargar documentos (:size)',
+ 'documents_from_expenses' => 'De los Gastos:',
+ 'dropzone_default_message' => 'Arrastra ficheros aquí o Haz clic para subir',
+ 'dropzone_fallback_message' => 'Tu navegador no soporta carga de archivos mediante drag\'n\'drop.',
+ 'dropzone_fallback_text' => 'Utilice el siguiente formulario para cargar sus archivos como en los viejos tiempos.',
+ 'dropzone_file_too_big' => 'El archivo es demasiado grande ({{filesize}}MiB). Tamaño máximo: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'No puede subir archivos de este tipo.',
+ 'dropzone_response_error' => 'El servidor respondió con el código {{statusCode}}.',
+ 'dropzone_cancel_upload' => 'Cancelar carga de archivos',
+ 'dropzone_cancel_upload_confirmation' => '¿Estás seguro de que deseas cancelar esta carga?',
+ 'dropzone_remove_file' => 'Borrar archivo',
+ 'documents' => 'Documentos',
+ 'document_date' => 'Fecha',
+ 'document_size' => 'Tamaño',
+
+ 'enable_client_portal' => 'Panel de Control',
+ 'enable_client_portal_help' => 'Mostrar u ocultar la página del Panel de Control en el portal del cliente..',
+ 'enable_client_portal_dashboard' => 'Panel de Control',
+ 'enable_client_portal_dashboard_help' => 'Mostrar u ocultar la página del Panel de Control en el portal del cliente.',
+
+ // Plans
+ 'account_management' => 'Administración de la Cuenta',
+ 'plan_status' => 'Estado del Plan',
+
+ 'plan_upgrade' => 'Mejorar',
+ 'plan_change' => 'Cambiar de Plan',
+ 'pending_change_to' => 'Cambios para',
+ 'plan_changes_to' => ':plan en :date',
+ 'plan_term_changes_to' => ':plan (:term) el :date',
+ 'cancel_plan_change' => 'Cancelar cambio',
+ 'plan' => 'Plan',
+ 'expires' => 'Vence',
+ 'renews' => 'Se Renueva',
+ 'plan_expired' => ':plan Plan Vencido',
+ 'trial_expired' => ':plan Plan Prueba Terminado',
+ 'never' => 'Nunca',
+ 'plan_free' => 'Gratis',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Alojamiento Propio (Marca Blanca)',
+ 'plan_free_self_hosted' => 'Alojamiento Propio (Gratis)',
+ 'plan_trial' => 'Prueba',
+ 'plan_term' => 'Término',
+ 'plan_term_monthly' => 'Mensual',
+ 'plan_term_yearly' => 'Anual',
+ 'plan_term_month' => 'Mes',
+ 'plan_term_year' => 'Año',
+ 'plan_price_monthly' => '$:price/Mes',
+ 'plan_price_yearly' => '$:price/Año',
+ 'updated_plan' => 'Configuración del plan actualizada',
+ 'plan_paid' => 'Term Iniciado',
+ 'plan_started' => 'Plan Iniciado',
+ 'plan_expires' => 'Plan Vencido',
+
+ 'white_label_button' => 'Marca Blanca',
+
+ 'pro_plan_year_description' => 'Un año de inscripción en el Plan Invoice Ninja Pro.',
+ 'pro_plan_month_description' => 'Un mes de inscripción en el Plan Invoice Ninja Pro.',
+ 'enterprise_plan_product' => 'Plan Enterprise ',
+ 'enterprise_plan_year_description' => 'Un año de inscripción en el Plan Invoice Ninja Enterprise .',
+ 'enterprise_plan_month_description' => 'Un mes de inscripción en el Plan Invoice Ninja Enterprise .',
+ 'plan_credit_product' => 'Crédito',
+ 'plan_credit_description' => 'Crédito por tiempo no utilizado',
+ 'plan_pending_monthly' => 'Cambiará a mensualmente el :date',
+ 'plan_refunded' => 'Se ha emitido un reembolso.',
+
+ 'live_preview' => 'Previsualización en vivo',
+ 'page_size' => 'Tamaño de Pagina',
+ 'live_preview_disabled' => 'La Vista Previa en vivo se ha deshabilitado para admitir la fuente seleccionada.',
+ 'invoice_number_padding' => 'Relleno',
+ 'preview' => 'Vista Previa',
+ 'list_vendors' => 'Lista de Proveedores',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Regresar a la Applicacion',
+
+
+ // Payment updates
+ 'refund_payment' => 'Reembolsar Pago',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Reembolo',
+ 'are_you_sure_refund' => 'Reembolsar los Pagos seleccionados?',
+ 'status_pending' => 'Pendiente',
+ 'status_completed' => 'Completado',
+ 'status_failed' => 'Fallido',
+ 'status_partially_refunded' => 'Parcialmente Reembolsado',
+ 'status_partially_refunded_amount' => ':amount Reembolsados',
+ 'status_refunded' => 'Reembolsado',
+ 'status_voided' => 'Cancelado',
+ 'refunded_payment' => 'Pago Reembolsado',
+ 'activity_39' => ':user cancelo :payment_amount del pago :payment',
+ 'activity_40' => ':user reembolsó :adjustment de :payment_amount del pago :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Desconocido',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Habilitar ACH',
+ 'stripe_ach_help' => 'El soporte de ACH debe ser habilitado en :link.',
+ 'ach_disabled' => 'Ya existe otra pasarela configurada para débito directo.',
+
+ 'plaid' => 'Pagado',
+ 'client_id' => 'Id del cliente',
+ 'secret' => 'Secreto',
+ 'public_key' => 'Llave pública',
+ 'plaid_optional' => '(opcional)',
+ 'plaid_environment_help' => 'Cuando se de una clave de prueba de Stripe, se utilizará un entorno de desarrollo de Plaid.',
+ 'other_providers' => 'Otros proveedores',
+ 'country_not_supported' => 'Este país no está soportado.',
+ 'invalid_routing_number' => 'El número de routing no es valido.',
+ 'invalid_account_number' => 'El número de cuenta no es valido',
+ 'account_number_mismatch' => 'Los números de cuenta no coinciden.',
+ 'missing_account_holder_type' => 'Seleccione una cuenta individual o de empresa.',
+ 'missing_account_holder_name' => 'Por favor ingrese el nombre del titular de la cuenta.',
+ 'routing_number' => 'Número de ruta',
+ 'confirm_account_number' => 'Confirmar número de cuenta',
+ 'individual_account' => 'Cuenta individual',
+ 'company_account' => 'Cuenta de la compañia',
+ 'account_holder_name' => 'Nombre del titular de la cuenta',
+ 'add_account' => 'Añadir Cuenta ',
+ 'payment_methods' => 'Métodos de pago',
+ 'complete_verification' => 'Completar Verificación ',
+ 'verification_amount1' => 'Cantidad 1',
+ 'verification_amount2' => 'Cantidad 2',
+ 'payment_method_verified' => 'Verificación completada correctamente',
+ 'verification_failed' => 'Fallo en la verificación',
+ 'remove_payment_method' => 'Borrar Método de pago',
+ 'confirm_remove_payment_method' => '¿Seguro que quieres eliminar este método de pago?',
+ 'remove' => 'Borrar',
+ 'payment_method_removed' => 'Se eliminó el método de pago.',
+ 'bank_account_verification_help' => 'Hemos realizado dos depósitos en su cuenta con la descripción "VERIFICACIÓN". Estos depósitos demorarán entre 1 y 2 días hábiles en aparecer en su estado de cuenta. Por favor ingrese los montos a continuación.',
+ 'bank_account_verification_next_steps' => 'Hemos realizado dos depósitos en su cuenta con la descripción "VERIFICACIÓN". Estos depósitos demorarán entre 1 y 2 días hábiles en aparecer en su estado de cuenta.
+Una vez que tenga los montos, vuelva a esta página de métodos de pago y haga clic en "Verificación completa" junto a la cuenta.',
+ 'unknown_bank' => 'Banco Desconocido',
+ 'ach_verification_delay_help' => 'Podrás usar la cuenta después de completar la verificación. La verificación generalmente demora entre 1 y 2 días hábiles.',
+ 'add_credit_card' => 'Añadir Tarjeta de crédito',
+ 'payment_method_added' => 'Se añadio el método de pago.',
+ 'use_for_auto_bill' => 'Usar para Auto-factura',
+ 'used_for_auto_bill' => 'Método de pago de Auto-factura',
+ 'payment_method_set_as_default' => 'Establecer el método de pago de Auto-factura.',
+ 'activity_41' => 'Fallo el pago de :payment_amount para (:payment) ',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'Debes :link.',
+ 'stripe_webhook_help_link_text' => 'agregue esta URL como endpoint en Stripe',
+ 'gocardless_webhook_help_link_text' => 'añade ésta URL como endpoint en GoCardless',
+ 'payment_method_error' => 'Se produjo un error al agregar su método de pago. Por favor, inténtelo de nuevo más tarde.',
+ 'notification_invoice_payment_failed_subject' => 'Pago fallido para la Factura :invoice',
+ 'notification_invoice_payment_failed' => 'Un pago realizado por el cliente :client hacia la factura :invoice falló. El pago ha sido marcado como fallido y :amount se ha agregado al saldo del cliente.',
+ 'link_with_plaid' => 'Enlace de cuenta al instante con Plaid',
+ 'link_manually' => 'Enlazar Manualmente',
+ 'secured_by_plaid' => 'Asegurada por Plaid',
+ 'plaid_linked_status' => 'Su cuenta bancaria en :bank',
+ 'add_payment_method' => 'Añadir Método de pago',
+ 'account_holder_type' => 'Tipo de titular de la cuenta',
+ 'ach_authorization' => 'Autorizo a :company a usar mi cuenta bancaria para pagos futuros y, si es necesario, acreditar electrónicamente mi cuenta para corregir los débitos erróneos. Entiendo que puedo cancelar esta autorización en cualquier momento eliminando el método de pago o contactando :email .',
+ 'ach_authorization_required' => 'Debe dar su consentimiento a las transacciones de ACH.',
+ 'off' => 'Apagado',
+ 'opt_in' => 'Optar en',
+ 'opt_out' => 'Optar por no',
+ 'always' => 'Siempre',
+ 'opted_out' => 'Optado',
+ 'opted_in' => 'Optado en',
+ 'manage_auto_bill' => 'Administrar Auto-factura',
+ 'enabled' => 'Habilitado',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Habilitar pagos de PayPal a través de BrainTree',
+ 'braintree_paypal_disabled_help' => 'La pasarela de PayPal está procesando los pagos de PayPal',
+ 'braintree_paypal_help' => 'Usted también debe :link.',
+ 'braintree_paypal_help_link_text' => 'enlace PayPal a su cuenta BrainTree',
+ 'token_billing_braintree_paypal' => 'Guardar detalles de pago',
+ 'add_paypal_account' => 'Añadir Cuenta de PayPal ',
+
+
+ 'no_payment_method_specified' => 'Metodo de pago no especificado',
+ 'chart_type' => 'Tipo de Grafica',
+ 'format' => 'Formato',
+ 'import_ofx' => 'Importar OFX',
+ 'ofx_file' => 'Fichero OFX',
+ 'ofx_parse_failed' => 'Fallo el proceso del Fichero OFX',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Registrarse con WePay',
+ 'use_another_provider' => 'Usa otro proveedor',
+ 'company_name' => 'Nombre de la Empresa',
+ 'wepay_company_name_help' => 'Esto aparecerá en los estados de cuenta de la tarjeta de crédito del cliente.',
+ 'wepay_description_help' => 'La finalidad de esta cuenta.',
+ 'wepay_tos_agree' => 'Acepto las :link.',
+ 'wepay_tos_link_text' => 'Términos de Empleo de WePay',
+ 'resend_confirmation_email' => 'Reenviar Email de Confirmación',
+ 'manage_account' => 'Administrar cuenta',
+ 'action_required' => 'Acción requerida',
+ 'finish_setup' => 'Completar Configuración',
+ 'created_wepay_confirmation_required' => 'Por favor revisa tu correo electrónico y confirma tu dirección de correo con WePay.',
+ 'switch_to_wepay' => 'Cambiar a WePay',
+ 'switch' => 'Cambiar',
+ 'restore_account_gateway' => 'Restaurar Pasarela',
+ 'restored_account_gateway' => 'Pasarela restaurada correctamente',
+ 'united_states' => 'Estados Unidos',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Aceptar Tarjetas de Débito',
+ 'debit_cards' => 'Tarjetas de Débito',
+
+ 'warn_start_date_changed' => 'La siguiente Factura se enviará en la nueva fecha de inicio.',
+ 'warn_start_date_changed_not_sent' => 'La siguiente Factura se creará en la nueva fecha de inicio.',
+ 'original_start_date' => 'Fecha de inicio original',
+ 'new_start_date' => 'Nueva fecha de inicio',
+ 'security' => 'Seguridad',
+ 'see_whats_new' => 'Qué hay de nuevo en v:version',
+ 'wait_for_upload' => 'Por favor, espere a que se carge el documento.',
+ 'upgrade_for_permissions' => 'Actualicese a nuestro Plan Enterprise para habilitar permisos',
+ 'enable_second_tax_rate' => 'Habilitar la posibilidad de especificar un segundo impuesto',
+ 'payment_file' => 'Fichero de Pagos',
+ 'expense_file' => 'Fichero de Gastos',
+ 'product_file' => 'Fichero de Productos',
+ 'import_products' => 'Importar Productos',
+ 'products_will_create' => 'productos seran creados',
+ 'product_key' => 'Producto',
+ 'created_products' => ':count producto(s) creados/actualizados correctamente.',
+ 'export_help' => 'Utilice JSON si planea importar los datos en Invoice Ninja.
El fichero incluye clientes, productos, facturas, presupuestos y pagos.',
+ 'selfhost_export_help' => '
Recomendamos usar mysqldump para crear una copia de seguridad completa.',
+ 'JSON_file' => 'Fichero JSON',
+
+ 'view_dashboard' => 'Ver Escritorio',
+ 'client_session_expired' => 'Sesión Caducada',
+ 'client_session_expired_message' => 'Su sesión a expirado. Por favor, pulse en el enlace de su correo de nuevo.',
+
+ 'auto_bill_notification' => 'Esta factura se facturará automáticamente en su :payment_method en el archivo el :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'Cuenta Bancaria',
+ 'auto_bill_payment_method_credit_card' => 'Tarjeta de Crédito',
+ 'auto_bill_payment_method_paypal' => 'Cuenta PayPal',
+ 'auto_bill_notification_placeholder' => 'Esta factura se facturará automáticamente en su Tarjeta de Credito en el archivo en la fecha de vencimiento.',
+ 'payment_settings' => 'Configuración de Pago',
+
+ 'on_send_date' => 'En la fecha de envío',
+ 'on_due_date' => 'En la fecha de vencimiento',
+ 'auto_bill_ach_date_help' => 'ACH siempre facturará automaticamente a fecha de vencimiento',
+ 'warn_change_auto_bill' => 'Debido a las reglas de NACHA, los cambios en esta factura pueden evitar la factura automática de ACH.',
+
+ 'bank_account' => 'Cuenta Bancaria',
+ 'payment_processed_through_wepay' => 'Los pagos ACH se procesaran usando WePay',
+ 'wepay_payment_tos_agree' => 'Estoy de acuerdo con los :terms y :privacy_policy de WePay.',
+ 'privacy_policy' => 'Política de Privacidad',
+ 'wepay_payment_tos_agree_required' => 'Debe de estar de acuerdo con los Términos de servicio y la Política de Privacidad de WePay.',
+ 'ach_email_prompt' => 'Por favor introduzca su dirección de correo:',
+ 'verification_pending' => 'Verificación Pendiente',
+
+ 'update_font_cache' => 'Por favor, refresque de nuevo la pagina para actualizar el cache de tipos de letra.',
+ 'more_options' => 'Mas opciones',
+ 'credit_card' => 'Tarjeta de Crédito',
+ 'bank_transfer' => 'Transferencia bancaria',
+ 'no_transaction_reference' => 'No hemos recibido la referencia de la transaccion de pago desde la pasarela.',
+ 'use_bank_on_file' => 'Usar Banco en fichero',
+ 'auto_bill_email_message' => 'Esta factura se facturará automáticamente en su Tarjeta de Credito en el archivo en la fecha de vencimiento.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Añadido el :date',
+ 'failed_remove_payment_method' => 'Falló la eliminación del Método de pago',
+ 'gateway_exists' => 'Esta pasarela ya existe',
+ 'manual_entry' => 'Entrada manual',
+ 'start_of_week' => 'Primer día de la semana',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactivo',
+ 'freq_daily' => 'Diariamente',
+ 'freq_weekly' => 'Semanal',
+ 'freq_biweekly' => 'Quincenal',
+ 'freq_two_weeks' => 'Dos semanas',
+ 'freq_four_weeks' => 'Cuatro semanas',
+ 'freq_monthly' => 'Mensual',
+ 'freq_three_months' => 'Tres meses',
+ 'freq_four_months' => 'Cuatro meses',
+ 'freq_six_months' => 'Seis meses',
+ 'freq_annually' => 'Anual',
+ 'freq_two_years' => 'Dos Años',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Aplicar Crédito',
+ 'payment_type_Bank Transfer' => 'Transferencia bancaria',
+ 'payment_type_Cash' => 'Efectivo',
+ 'payment_type_Debit' => 'Débito',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Tarjeta VISA',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Tarjeta Discover',
+ 'payment_type_Diners Card' => 'Tarjeta Diners',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Otras tarjetas de crédito',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Cheque',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Contabilidad y legal',
+ 'industry_Advertising' => 'Publicidad',
+ 'industry_Aerospace' => 'Aerospacial',
+ 'industry_Agriculture' => 'Agricultura',
+ 'industry_Automotive' => 'Automoción',
+ 'industry_Banking & Finance' => 'Banca y finanzas',
+ 'industry_Biotechnology' => 'Biotecnología',
+ 'industry_Broadcasting' => 'Ciencias de la información',
+ 'industry_Business Services' => 'Servicios empresariales',
+ 'industry_Commodities & Chemicals' => 'Química y productos',
+ 'industry_Communications' => 'Comunicaciones',
+ 'industry_Computers & Hightech' => 'Informática y alta tecnología',
+ 'industry_Defense' => 'Defensa',
+ 'industry_Energy' => 'Energía',
+ 'industry_Entertainment' => 'Entretenimiento',
+ 'industry_Government' => 'Gubernamental',
+ 'industry_Healthcare & Life Sciences' => 'Sanidad y biología',
+ 'industry_Insurance' => 'Seguros',
+ 'industry_Manufacturing' => 'Producción',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Medios',
+ 'industry_Nonprofit & Higher Ed' => 'ONGs y educación superior',
+ 'industry_Pharmaceuticals' => 'Farmacéutico',
+ 'industry_Professional Services & Consulting' => 'Servicios profesionales y de consultoría',
+ 'industry_Real Estate' => 'Inmobiliario',
+ 'industry_Restaurant & Catering' => 'Restaurante & Catering',
+ 'industry_Retail & Wholesale' => 'Minorista y mayorista',
+ 'industry_Sports' => 'Deportes',
+ 'industry_Transportation' => 'Transporte',
+ 'industry_Travel & Luxury' => 'Viaje y ocio',
+ 'industry_Other' => 'Otro',
+ 'industry_Photography' => 'Fotografía',
+
+ // Countries
+ 'country_Afghanistan' => 'Afganistán',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua y Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgica',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia',
+ 'country_Bosnia and Herzegovina' => 'Bosnia Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brasil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cabo Verde',
+ 'country_Cayman Islands' => 'Islas Cayman',
+ 'country_Central African Republic' => 'Republica Centro Africana',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Republica Democratica del Congo',
+ 'country_Cook Islands' => 'Islas Cook ',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croacia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Chipre',
+ 'country_Czech Republic' => 'Republica Checa',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Dinamarca',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Republica Dominicana',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Etiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Islas Faroe',
+ 'country_Falkland Islands (Malvinas)' => 'Islas Falkland (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'Georgia del Sur e Islas Sandwich Sur',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finlandia',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'Francia',
+ 'country_French Guiana' => 'Guyana Francesa',
+ 'country_French Polynesia' => 'Polynesia Francesa',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Territorios Ocupados de Palestina',
+ 'country_Germany' => 'Alemania',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Grecia',
+ 'country_Greenland' => 'Groenlandia',
+ 'country_Grenada' => 'Granada',
+ 'country_Guadeloupe' => 'Guadalupe',
+ '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_Holy See (Vatican City State)' => 'El Vaticano',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Isladia',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Republica Islamica de Iran',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Irlanda',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italia',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japon',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Republica Democratica de Korea del Norte',
+ 'country_Korea, Republic of' => 'Republica de Korea',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Republica Democratica de Lao',
+ 'country_Lebanon' => 'Libano',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libia',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lituania',
+ 'country_Luxembourg' => 'Luxemburgo',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malasia',
+ 'country_Maldives' => 'Maldivas',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinica',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Republica de Moldavia',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Marruecos',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Holanda',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'San Martin (Parte holandesa)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'Nueva Zelanda',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Filipinas',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Polonia',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Rumania',
+ 'country_Russian Federation' => 'Rusia',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Arabia Saudi ',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leona',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'Sudáfrica',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'España',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Sahara Occidental',
+ 'country_Suriname' => 'Surinam',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Suecia',
+ 'country_Switzerland' => 'Suiza',
+ 'country_Syrian Arab Republic' => 'Syria',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Tailandia',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad y Tobago',
+ 'country_United Arab Emirates' => 'Emiratos Arabes Unidos',
+ 'country_Tunisia' => 'Tunez',
+ 'country_Turkey' => 'Turquia',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ucrania',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Republica de Macedonia',
+ 'country_Egypt' => 'Egipto',
+ 'country_United Kingdom' => 'Reino unido',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'Estados unidos',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ '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_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Portugués brasileño',
+ 'lang_Croatian' => 'Croata',
+ 'lang_Czech' => 'Checo',
+ 'lang_Danish' => 'Danés',
+ 'lang_Dutch' => 'Holandés',
+ 'lang_English' => 'Inglés',
+ 'lang_French' => 'Francés',
+ 'lang_French - Canada' => 'Francés canadiense',
+ 'lang_German' => 'Alemán',
+ 'lang_Italian' => 'Italiano',
+ 'lang_Japanese' => 'Japonés',
+ 'lang_Lithuanian' => 'Lituano',
+ 'lang_Norwegian' => 'Noruego',
+ 'lang_Polish' => 'Polaco',
+ 'lang_Spanish' => 'Español',
+ 'lang_Spanish - Spain' => 'Español - España',
+ 'lang_Swedish' => 'Sueco',
+ 'lang_Albanian' => 'Albanés',
+ 'lang_Greek' => 'Griego',
+ 'lang_English - United Kingdom' => 'Ingles - Reino Unido',
+ 'lang_Slovenian' => 'Eslovenia',
+ 'lang_Finnish' => 'Finlandia',
+ 'lang_Romanian' => 'Rumania',
+ 'lang_Turkish - Turkey' => 'Turco - Turquia',
+ 'lang_Portuguese - Brazilian' => 'Portugues - Brasil',
+ 'lang_Portuguese - Portugal' => 'Portugues - Portugal',
+ 'lang_Thai' => 'Tailandes',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Contabilidad y legal',
+ 'industry_Advertising' => 'Publicidad',
+ 'industry_Aerospace' => 'Aerospacial',
+ 'industry_Agriculture' => 'Agricultura',
+ 'industry_Automotive' => 'Automoción',
+ 'industry_Banking & Finance' => 'Banca y finanzas',
+ 'industry_Biotechnology' => 'Biotecnología',
+ 'industry_Broadcasting' => 'Ciencias de la información',
+ 'industry_Business Services' => 'Servicios empresariales',
+ 'industry_Commodities & Chemicals' => 'Química y productos',
+ 'industry_Communications' => 'Comunicaciones',
+ 'industry_Computers & Hightech' => 'Informática y alta tecnología',
+ 'industry_Defense' => 'Defensa',
+ 'industry_Energy' => 'Energía',
+ 'industry_Entertainment' => 'Entretenimiento',
+ 'industry_Government' => 'Gubernamental',
+ 'industry_Healthcare & Life Sciences' => 'Sanidad y biología',
+ 'industry_Insurance' => 'Seguros',
+ 'industry_Manufacturing' => 'Producción',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Medios',
+ 'industry_Nonprofit & Higher Ed' => 'ONGs y educación superior',
+ 'industry_Pharmaceuticals' => 'Farmacéutico',
+ 'industry_Professional Services & Consulting' => 'Servicios profesionales y de consultoría',
+ 'industry_Real Estate' => 'Inmobiliario',
+ 'industry_Retail & Wholesale' => 'Minorista y mayorista',
+ 'industry_Sports' => 'Deportes',
+ 'industry_Transportation' => 'Transporte',
+ 'industry_Travel & Luxury' => 'Viaje y ocio',
+ 'industry_Other' => 'Otro',
+ 'industry_Photography' =>'Fotografía',
+
+ 'view_client_portal' => 'Ver portal de cliente',
+ 'view_portal' => 'Ver portal',
+ 'vendor_contacts' => 'Contactos de Proveedores',
+ 'all' => 'Todo',
+ 'selected' => 'Seleccionado',
+ 'category' => 'Categoría',
+ 'categories' => 'Categorias',
+ 'new_expense_category' => 'Nueva Categoría de Gasto',
+ 'edit_category' => 'Editar Categoría',
+ 'archive_expense_category' => 'Archivar Categoría',
+ 'expense_categories' => 'Categorías de Gasto',
+ 'list_expense_categories' => 'Listado de Categorias de Gasto',
+ 'updated_expense_category' => 'Categoría de gasto actualizada correctamente',
+ 'created_expense_category' => 'Categoría de gasto creada correctamente',
+ 'archived_expense_category' => 'Categoría de gasto archivada correctamente',
+ 'archived_expense_categories' => ':count categorías de gasto actualizados correctamente',
+ 'restore_expense_category' => 'Restaurar Categoría de Gasto',
+ 'restored_expense_category' => 'Categoría de Gasto restaurada correctamente',
+ 'apply_taxes' => 'Aplicar Impuestos',
+ 'min_to_max_users' => ':min a :max usuarios',
+ 'max_users_reached' => 'Se ha alcanzado el número máximo de usuarios',
+ 'buy_now_buttons' => 'Botones de Comprar Ahora',
+ 'landing_page' => 'Página Inicial',
+ 'payment_type' => 'Tipo de Pago',
+ 'form' => 'Formulario',
+ 'link' => 'Enlace',
+ 'fields' => 'Campos',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Nota: El cliente y la Factura se han creado aunque la operación no se ha completado',
+ 'buy_now_buttons_disabled' => 'Esta caracteristica requiere que el producto este creado y la pasarela de pago esté configurada',
+ 'enable_buy_now_buttons_help' => 'Habilitar el soporte para los botones de Comprar ahora',
+ 'changes_take_effect_immediately' => 'Nota: Los cambio tienen lugar inmediatamente',
+ 'wepay_account_description' => 'Pasarela de Pago para Invoice Ninja',
+ 'payment_error_code' => 'Hubo un error procesando el pago [:code]. Por favor, inténtelo de nuevo mas adelante.',
+ 'standard_fees_apply' => 'Cargos: 2.9%/1.2% [Tarjeta de Credito/Transferencia Bancaria] + $0.30 por cargo correcto.',
+ 'limit_import_rows' => 'Los datos necesitan ser importados en bloques de :count filas o menos',
+ 'error_title' => 'Algo a ido mal.',
+ 'error_contact_text' => 'Si desea ayuda, envíenos un correo electrónico a :mailaddress',
+ 'no_undo' => 'Atención: esto no se puede deshacer.',
+ 'no_contact_selected' => 'Por favor seleccione un contacto',
+ 'no_client_selected' => 'Por favor seleccione un cliente',
+
+ 'gateway_config_error' => 'Puede ser útil establecer nuevas contraseñas o generar nuevas claves de API.',
+ 'payment_type_on_file' => ':type en fichero',
+ 'invoice_for_client' => 'Factura :invoice para :client',
+ 'intent_not_found' => 'Lo siento, no estoy seguro de lo que estás preguntando.',
+ 'intent_not_supported' => 'Lo siento, no puedo hacer eso.',
+ 'client_not_found' => 'No pude encontrar el cliente',
+ 'not_allowed' => 'Lo sentimos, no tienes los permisos necesarios',
+ 'bot_emailed_invoice' => 'Su factura ha sido enviada.',
+ 'bot_emailed_notify_viewed' => 'Te enviaré un correo electrónico cuando se vea.',
+ 'bot_emailed_notify_paid' => 'Te enviaré un correo electrónico cuando se pague.',
+ 'add_product_to_invoice' => 'Añadir 1 :product',
+ 'not_authorized' => 'No está autorizado',
+ 'bot_get_email' => '¡Hola! (wave)
Gracias por probar el Bot Invoice Ninja.
Necesitas crear una cuenta gratuita para usar este bot.
Envíanme la dirección de correo electrónico de tu cuenta para comenzar.',
+ 'bot_get_code' => '¡Gracias! Le envié un correo electrónico con su código de seguridad.',
+ 'bot_welcome' => 'Eso es todo, tu cuenta está verificada.
',
+ 'email_not_found' => 'No pude encontrar una cuenta disponible para :email',
+ 'invalid_code' => 'El código no es correcto',
+ 'security_code_email_subject' => 'Código de seguridad para Invoice Ninja Bot',
+ 'security_code_email_line1' => 'Este es su código de seguridad Invoice Ninja Bot.',
+ 'security_code_email_line2' => 'Nota: caducará en 10 minutos.',
+ 'bot_help_message' => 'Actualmente sopota:
• Crear \ actualizar \ enviar por correo electrónico una factura
• Lista de productos
Por ejemplo:
bobina de factura para 2 boletos, establecer la fecha de vencimiento para el próximo jueves y el descuento para 10 por ciento',
+ 'list_products' => 'Lista de Productos',
+
+ 'include_item_taxes_inline' => 'Incluir total del impuesto para cada concepto de Factura',
+ 'created_quotes' => 'Se ha(n) creado correctamente :count presupuesto(s)',
+ 'limited_gateways' => 'Nota: soportamos una pasarela de tarjeta de crédito por empresa.',
+
+ 'warning' => 'Advertencia',
+ 'self-update' => 'Actualizar',
+ 'update_invoiceninja_title' => 'Actualizar Invoice Ninja',
+ 'update_invoiceninja_warning' => '¡Antes de comenzar a actualizar Invoice Ninja cree una copia de seguridad de su base de datos y archivos!',
+ 'update_invoiceninja_available' => 'Está disponible una nueva versión de Invoice Ninja.',
+ 'update_invoiceninja_unavailable' => 'No hay ninguna versión nueva de Invoice Ninja.',
+ 'update_invoiceninja_instructions' => 'Instale la nueva versión :version haciendo clic en el botón Actualizar ahora a continuación. Luego, serás redirigido al Cuadro de Mandos.',
+ 'update_invoiceninja_update_start' => 'Actualizar ahora',
+ 'update_invoiceninja_download_start' => 'Descargar :version',
+ 'create_new' => 'Crear Nuevo',
+
+ 'toggle_navigation' => 'Alternar Navegación',
+ 'toggle_history' => 'Alternar Historial',
+ 'unassigned' => 'Sin asignar',
+ 'task' => 'Tarea',
+ 'contact_name' => 'Nombre del Contacto',
+ 'city_state_postal' => 'Ciudad / Provincia / C.Postal',
+ 'custom_field' => 'Campo personalizado',
+ 'account_fields' => 'Campos de la Empresa',
+ 'facebook_and_twitter' => 'Facebook y Twitter',
+ 'facebook_and_twitter_help' => 'Siga nuestros feeds para ayudar a respaldar nuestro proyecto',
+ 'reseller_text' => 'Nota: La Licencia de Marca Blanca está diseñada para uso personal. Envíenos un correo electrónico a :email si desea revender la aplicación.',
+ 'unnamed_client' => 'Cliente sin nombre',
+
+ 'day' => 'Día',
+ 'week' => 'Semana',
+ 'month' => 'Mes',
+ 'inactive_logout' => 'Has sido desconectado por inactividad',
+ 'reports' => 'Informes',
+ 'total_profit' => 'Beneficio Total',
+ 'total_expenses' => 'Gastos Totales',
+ 'quote_to' => 'Presupuesto para',
+
+ // Limits
+ 'limit' => 'Límite',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'Sin Límites',
+ 'set_limits' => 'Establecer los Límites de :gateway_type',
+ 'enable_min' => 'Activar Mínimo',
+ 'enable_max' => 'Activar Máximo',
+ 'min' => 'Mínimo',
+ 'max' => 'Máximo',
+ 'limits_not_met' => 'Esta factura no cumple con los límites para ese tipo de pago.',
+
+ 'date_range' => 'Rango de fechas',
+ 'raw' => 'Bruto',
+ 'raw_html' => 'HTML sin procesar',
+ 'update' => 'Actualizar',
+ 'invoice_fields_help' => 'Arrastre los campos para cambiarlos el orden y ubicación',
+ 'new_category' => 'Nueva Categoría',
+ 'restore_product' => 'Restaurar Presupuesto',
+ 'blank' => 'Vacio',
+ 'invoice_save_error' => 'Ha habido un error guardando la factura',
+ 'enable_recurring' => 'Habilitar facturas recurrentes',
+ 'disable_recurring' => 'Deshabilitar facturas recurrentes',
+ 'text' => 'Texto',
+ 'expense_will_create' => 'gasto se creará ',
+ 'expenses_will_create' => 'gastos se crearán ',
+ 'created_expenses' => ':count gastos creados correctamente',
+
+ 'translate_app' => 'Ayúdanos a mejorar nuestras traducciones con :link',
+ 'expense_category' => 'Categoría del Gasto',
+
+ 'go_ninja_pro' => '¡Hazte Pro!',
+ 'go_enterprise' => 'Hazte el Plan Enterprise!',
+ 'upgrade_for_features' => 'Actualizate para más características',
+ 'pay_annually_discount' => '¡Pague anualmente por 10 meses + 2 gratis!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'TuMarca.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => '¡Personaliza cada detalle de tu factura!',
+ 'enterprise_upgrade_feature1' => 'Establecer permisos para múltiples usuarios',
+ 'enterprise_upgrade_feature2' => 'Adjunte archivos de terceros a facturas y gastos',
+ 'much_more' => '¡Mucho mas!',
+ 'all_pro_fetaures' => 'Mas todas las caracteristicas Pro!',
+
+ 'currency_symbol' => 'Símbolo',
+ 'currency_code' => 'Código',
+
+ 'buy_license' => 'Comprar la licencia',
+ 'apply_license' => 'Renovar licencia',
+ 'submit' => 'Enviar',
+ 'white_label_license_key' => 'Número de licencia',
+ 'invalid_white_label_license' => 'La Licencia de Marca Blanca no es válida',
+ 'created_by' => 'Creado por :name',
+ 'modules' => 'Módulos',
+ 'financial_year_start' => 'Primer mes del año',
+ 'authentication' => 'Autenticación',
+ 'checkbox' => 'Casilla de verificación',
+ 'invoice_signature' => 'Firma',
+ 'show_accept_invoice_terms' => 'Mostrar aceptación de términos de la factura',
+ 'show_accept_invoice_terms_help' => 'Requerir que el cliente confirme que acepta los términos de la factura.',
+ 'show_accept_quote_terms' => 'Mostrar aceptación de términos del presupuesto',
+ 'show_accept_quote_terms_help' => 'Requerir que el cliente confirme que acepta los términos del presupuesto.',
+ 'require_invoice_signature' => 'Firma de la factura',
+ 'require_invoice_signature_help' => 'Requerir que el cliente proporcione su firma.',
+ 'require_quote_signature' => 'Firma del presupuesto.',
+ 'require_quote_signature_help' => 'Requerir que el cliente proporcione su firma.',
+ 'i_agree' => 'Estoy de acuerdo con los Términos',
+ 'sign_here' => 'Por favor firme aquí:',
+ 'authorization' => 'Autorización',
+ 'signed' => 'Frimado',
+
+ // BlueVine
+ 'bluevine_promo' => 'Obtenga líneas de crédito comerciales flexibles y factoraje de facturas usando BlueVine.',
+ 'bluevine_modal_label' => 'Registrarse con BlueVine',
+ 'bluevine_modal_text' => 'Financiamiento rápido para su negocio. Sin papeleo
+- Líneas de crédito flexibles y factoraje de facturas.
',
+ 'bluevine_create_account' => 'Crea una cuenta',
+ 'quote_types' => 'Obtenga un presupuesto para',
+ 'invoice_factoring' => 'Factorización de facturas',
+ 'line_of_credit' => 'Línea de crédito',
+ 'fico_score' => 'Su puntuación FICO',
+ 'business_inception' => 'Fecha de inicio del negocio',
+ 'average_bank_balance' => 'Saldo promedio de la cuenta bancaria',
+ 'annual_revenue' => 'Ingresos anuales',
+ 'desired_credit_limit_factoring' => 'Límite deseado de factorización de factura',
+ 'desired_credit_limit_loc' => 'Límite deseado de línea de crédito ',
+ 'desired_credit_limit' => 'Límite deseado de crédito ',
+ 'bluevine_credit_line_type_required' => 'Debe elegir al menos uno',
+ 'bluevine_field_required' => 'Este campo es obligatorio',
+ 'bluevine_unexpected_error' => 'Ocurrió un error inesperado.',
+ 'bluevine_no_conditional_offer' => 'Se requiere más información antes de obtener un presupuesto . Haga clic en continuar',
+ 'bluevine_invoice_factoring' => 'Factorización de Facturas',
+ 'bluevine_conditional_offer' => 'Oferta Condicional',
+ 'bluevine_credit_line_amount' => 'Línea de Crédito',
+ 'bluevine_advance_rate' => 'Tasa de avance',
+ 'bluevine_weekly_discount_rate' => 'Tasa de descuento semanal',
+ 'bluevine_minimum_fee_rate' => 'Tarifa mínima',
+ 'bluevine_line_of_credit' => 'Línea de crédito',
+ 'bluevine_interest_rate' => 'Tasa de interés',
+ 'bluevine_weekly_draw_rate' => 'Tasa de Sorteo semanal',
+ 'bluevine_continue' => 'Ir a BlueVine',
+ 'bluevine_completed' => 'Registro en BlueVine completado',
+
+ 'vendor_name' => 'Proveedor',
+ 'entity_state' => 'Estado',
+ 'client_created_at' => 'Fecha de Creación',
+ 'postmark_error' => 'Hubo un problema al enviar el correo electrónico a través de Postmark: :link',
+ 'project' => 'Proyecto',
+ 'projects' => 'Proyectos',
+ 'new_project' => 'Nuevo Proyecto',
+ 'edit_project' => 'Editar Proyecto',
+ 'archive_project' => 'Archivar Proyecto',
+ 'list_projects' => 'Lista de Proyecto',
+ 'updated_project' => 'Proyecto actualizado correctamente',
+ 'created_project' => 'Proyecto creado correctamente',
+ 'archived_project' => 'Proyecto archivado correctamente',
+ 'archived_projects' => ':count proyectos archivados correctamente',
+ 'restore_project' => 'Restaurar Proyecto',
+ 'restored_project' => 'Proyecto restaurado correctamente',
+ 'delete_project' => 'Borrar Proyecto',
+ 'deleted_project' => 'Proyecto eliminado correctamente',
+ 'deleted_projects' => ':count proyecto eliminados correctamente',
+ 'delete_expense_category' => 'Borrar categoría',
+ 'deleted_expense_category' => 'Categoría eliminada correctamente',
+ 'delete_product' => 'Borrar Producto',
+ 'deleted_product' => 'Producto eliminado correctamente',
+ 'deleted_products' => ':count productos eliminados correctamente',
+ 'restored_product' => 'Producto restaurado correctamente',
+ 'update_credit' => 'Actualizar crédito',
+ 'updated_credit' => 'Crédito actualizado correctamente',
+ 'edit_credit' => 'Editar Crédito',
+ 'live_preview_help' => 'Muestre una vista previa de PDF en vivo en la página de facturación.
Puede desactivar esto para mejorar el rendimiento al editar facturas.',
+ 'force_pdfjs_help' => 'Reemplace el visor de PDF incorporado en :chrome_link y :firefox_link.
Habilítelo si su navegador descarga automáticamente el PDF.',
+ 'force_pdfjs' => 'Evitar la descarga',
+ 'redirect_url' => 'Redireccionar URL',
+ 'redirect_url_help' => 'Opcionalmente, especifique una URL para redirigir después de ingresar un pago.',
+ 'save_draft' => 'Guardar borrador',
+ 'refunded_credit_payment' => 'Pago de crédito reembolsado',
+ 'keyboard_shortcuts' => 'Atajos de teclado',
+ 'toggle_menu' => 'Alternar Menú',
+ 'new_...' => 'Nuevo...',
+ 'list_...' => 'Lista...',
+ 'created_at' => 'Fecha de Creación',
+ 'contact_us' => 'Contácte con Nosotros',
+ 'user_guide' => 'Guía del usuario',
+ 'promo_message' => 'Actualice antes de :expires y obtenga :amount OFF el primer año de nuestros paquetes Pro o Enterprise.',
+ 'discount_message' => ':amount caduca el :expires',
+ 'mark_paid' => 'Marcar como pagado',
+ 'marked_sent_invoice' => 'Factura marcada como enviada correctamente',
+ 'marked_sent_invoices' => 'Facturas marcadas como enviadas correctamente',
+ 'invoice_name' => 'Factura',
+ 'product_will_create' => 'producto sera creado',
+ 'contact_us_response' => '¡Gracias por tu mensaje! Intentaremos responder lo antes posible.',
+ 'last_7_days' => 'Los últimos 7 días',
+ 'last_30_days' => 'Los últimos 30 días',
+ 'this_month' => 'Este Mes',
+ 'last_month' => 'Último Mes',
+ 'last_year' => 'Último Año',
+ 'custom_range' => 'Rango personalizado',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Requerido',
+ 'license_expiring' => 'Nota: su licencia expirará en :count días, :link para renovarla.',
+ 'security_confirmation' => 'Su dirección de correo electrónico ha sido confirmada.',
+ 'white_label_expired' => 'Su licencia de marca blanca ha expirado, considere renovarla para dar soporte a nuestro proyecto.',
+ 'renew_license' => 'Renovar licencia',
+ 'iphone_app_message' => 'Considera descargar nuestro :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Conectado',
+ 'switch_to_primary' => 'Cambie a su empresa principal (:name) para administrar su plan.',
+ 'inclusive' => 'Inclusivo',
+ 'exclusive' => 'Exclusivo',
+ 'postal_city_state' => 'C.Postal / Ciudad / Provincia',
+ 'phantomjs_help' => 'En ciertos casos, la aplicación usa :link_phantom para generar el PDF, instala :link_docs para generarlo localmente.',
+ 'phantomjs_local' => 'Usando PhantomJS en local',
+ 'client_number' => 'Código de Cliente',
+ 'client_number_help' => 'Especifique un prefijo o utilice un patrón a medida para establecer dinámicamente el número de cliente.',
+ 'next_client_number' => 'El siguiente Código de Cliente es :number.',
+ 'generated_numbers' => 'Números Generados',
+ 'notes_reminder1' => 'Primer Recordatorio',
+ 'notes_reminder2' => 'Segundo Recordatorio',
+ 'notes_reminder3' => 'Tercer Recordatorio',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Impuesto de Presupuesto',
+ 'tax_invoice' => 'Impuesto de Factura',
+ 'emailed_invoices' => 'Facturas enviadas correctamente',
+ 'emailed_quotes' => 'Presupuestos enviados correctamente',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Dominio',
+ 'domain_help' => 'Se usa en el portal del cliente y al enviar correos electrónicos.',
+ 'domain_help_website' => 'Se usa al enviar correos electrónicos.',
+ 'preview' => 'Vista Previa',
+ 'import_invoices' => 'Importar Facturas',
+ 'new_report' => 'Nuevo Informe',
+ 'edit_report' => 'Editar Informe',
+ 'columns' => 'Columnas',
+ 'filters' => 'Filtros',
+ 'sort_by' => 'Ordenar por',
+ 'draft' => 'Borrador',
+ 'unpaid' => 'Impagado',
+ 'aging' => 'Envejecimiento',
+ 'age' => 'Edad',
+ 'days' => 'Días',
+ 'age_group_0' => '0 - 30 Días',
+ 'age_group_30' => '30 - 60 Días',
+ 'age_group_60' => '60 - 90 Días',
+ 'age_group_90' => '90 - 120 Días',
+ 'age_group_120' => '120+ Días',
+ 'invoice_details' => 'Detalles de Factura',
+ 'qty' => 'Cantidad',
+ 'profit_and_loss' => 'Ganancias y Pérdidas',
+ 'revenue' => 'Ingresos',
+ 'profit' => 'Beneficio',
+ 'group_when_sorted' => 'Orden por Grupo',
+ 'group_dates_by' => 'Agrupar fechas por',
+ 'year' => 'Año',
+ 'view_statement' => 'Ver Estado de cuenta',
+ 'statement' => 'Estado de cuenta',
+ 'statement_date' => 'Fecha de Estado de cuenta',
+ 'mark_active' => 'Marcar como Activo',
+ 'send_automatically' => 'Enviar Automáticamente',
+ 'initial_email' => 'Email Inicial',
+ 'invoice_not_emailed' => 'Esta factura no ha sido enviada.',
+ 'quote_not_emailed' => 'Este presupuesto no ha sido enviado.',
+ 'sent_by' => 'Enviado por :user',
+ 'recipients' => 'Destinatarios',
+ 'save_as_default' => 'Guardar como Por Defecto',
+ 'template' => 'Plantilla',
+ 'start_of_week_help' => 'Utilizado por selectores de fecha',
+ 'financial_year_start_help' => 'Utilizado por selectores de rango de fecha',
+ 'reports_help' => 'May + Click para ordenar por múltiples columnas, Ctrl + click para quitar agrupamiento.',
+ 'this_year' => 'Este Año',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Crea. Envia. Recibe tus Pagos.',
+ 'login_or_existing' => 'O inicie sesión con una cuenta existente.',
+ 'sign_up_now' => 'Registrarse Ahora',
+ 'not_a_member_yet' => '¿No eres miembro todavía?',
+ 'login_create_an_account' => 'Crea una Cuenta!',
+ 'client_login' => 'Acceso de Clientes',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Facturas desde:',
+ 'email_alias_message' => 'Requerimos que cada compañía tenga una dirección de correo electrónico única.
Considere el uso de un alias. es decir, email+label@example.com',
+ 'full_name' => 'Nombre completo',
+ 'month_year' => 'MES/AÑO',
+ 'valid_thru' => 'Válido\nhasta',
+
+ 'product_fields' => 'Campos de Producto',
+ 'custom_product_fields_help' => 'Agregue un campo al crear un producto o factura y muestre la etiqueta y el valor en el PDF.',
+ 'freq_two_months' => 'Dos meses',
+ 'freq_yearly' => 'Anual',
+ 'profile' => 'Perfil',
+ 'payment_type_help' => 'Establece el tipo de pago manual predeterminado.',
+ 'industry_Construction' => 'Construcción',
+ 'your_statement' => 'Tu Estado de Cuenta',
+ 'statement_issued_to' => 'Estado de Cuenta emitido a',
+ 'statement_to' => 'Estado de Cuenta para',
+ 'customize_options' => 'Personalizar opciones',
+ 'created_payment_term' => 'Términos de pago creados correctamente',
+ 'updated_payment_term' => 'Términos de pago actualizados correctamente',
+ 'archived_payment_term' => 'Términos de pago archivados correctamente',
+ 'resend_invite' => 'Reenviar Invitación',
+ 'credit_created_by' => 'Crédito creado por el pago :transaction_reference',
+ 'created_payment_and_credit' => 'Pago y Crédito creado correctamente',
+ 'created_payment_and_credit_emailed_client' => 'Pago y Crédito creado y enviado al cliente correctamente',
+ 'create_project' => 'Crear Proyecto',
+ 'create_vendor' => 'Crear Proveedor',
+ 'create_expense_category' => 'Crear categoría',
+ 'pro_plan_reports' => ':link para habilitar informes uniéndose al Plan Pro',
+ 'mark_ready' => 'Marcar como listo',
+
+ 'limits' => 'Limites',
+ 'fees' => 'Cargos',
+ 'fee' => 'Cargo',
+ 'set_limits_fees' => 'Establecer los Límites/Cargos de :gateway_type',
+ 'fees_tax_help' => 'Habilite los impuestos de línea para establecer las tasas de impuestos de tarifa.',
+ 'fees_sample' => 'La tarifa por una factura de cantidad :amount sería :total.',
+ 'discount_sample' => 'El descuento por una factura de cantidad :amount sería :total.',
+ 'no_fees' => 'Sin cargos',
+ 'gateway_fees_disclaimer' => 'Advertencia: no todos los estados / pasarelas de pago permiten agregar tarifas, revise las leyes locales / términos de servicio.',
+ 'percent' => 'Porcentaje',
+ 'location' => 'Ubicación',
+ 'line_item' => 'Linea de Concepto',
+ 'surcharge' => 'Recargo',
+ 'location_first_surcharge' => 'Habilitado - Primer recargo',
+ 'location_second_surcharge' => 'Habilitado - Segundo recargo',
+ 'location_line_item' => 'Habilitado - Linea de Concepto',
+ 'online_payment_surcharge' => 'Recargo por Pago Online ',
+ 'gateway_fees' => 'Tasas de pasarela',
+ 'fees_disabled' => 'Las tarifas están deshabilitadas',
+ 'gateway_fees_help' => 'Agregue automáticamente un recargo/descuento de pago en línea.',
+ 'gateway' => 'Pasarela',
+ 'gateway_fee_change_warning' => 'Si hay facturas sin pagar con tarifas, deben actualizarse manualmente.',
+ 'fees_surcharge_help' => 'Personalizar recargo :link.',
+ 'label_and_taxes' => 'etiquetas e impuestos',
+ 'billable' => 'Facturable',
+ 'logo_warning_too_large' => 'El archivo de imagen es demasiado grande.',
+ 'logo_warning_fileinfo' => 'Advertencia: para admitir gifs, la extensión PHP fileinfo necesita estar habilitada.',
+ 'logo_warning_invalid' => 'Hubo un problema al leer el archivo de imagen, intente con un formato diferente.',
+
+ 'error_refresh_page' => 'Se produjo un error, actualice la página y vuelva a intentarlo.',
+ 'data' => 'Datos',
+ 'imported_settings' => 'Configuración importada correctamente',
+ 'reset_counter' => 'Reiniciar Contador',
+ 'next_reset' => 'Proximo Reinicio',
+ 'reset_counter_help' => 'Restablece automáticamente los contadores de facturas y presupuestos.',
+ 'auto_bill_failed' => 'Fallo la Facturación automática de la factura :invoice_number',
+ 'online_payment_discount' => 'Descuento por Pago Online',
+ 'created_new_company' => 'Compañia creada correctamente',
+ 'fees_disabled_for_gateway' => 'Las tarifas están deshabilitadas para esta pasarela.',
+ 'logout_and_delete' => 'Cerrar sesión / Eliminar cuenta',
+ 'tax_rate_type_help' => 'Las tasas impositivas incluyentes ajustan el costo de la línea de pedido cuando se seleccionan.
Solo se pueden usar tasas de impuestos exclusivas como predeterminadas.',
+ 'invoice_footer_help' => 'Use $pageNumber y $pageCount para mostrar la información de la página.',
+ 'credit_note' => 'Nota de Crédito',
+ 'credit_issued_to' => 'Credito emitido a',
+ 'credit_to' => 'Crédito para',
+ 'your_credit' => 'Su Crédito',
+ 'credit_number' => 'Código de Crédito',
+ 'create_credit_note' => 'Crear Nota de Crédito',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: la tabla de pasarelas tiene identificadores incorrectos.',
+ 'purge_data' => 'Purgar Datos',
+ 'delete_data' => 'Borrar Datos',
+ 'purge_data_help' => 'Eliminar permanentemente todos los datos pero mantener la cuenta y la configuración.',
+ 'cancel_account_help' => 'Eliminar permanentemente la cuenta junto con todos los datos y la configuración.',
+ 'purge_successful' => 'Datos de la empresa purgados correctamente',
+ 'forbidden' => 'Prohibido',
+ 'purge_data_message' => 'Advertencia: Esto borrará definitivamente sus datos, no hay deshacer.',
+ 'contact_phone' => 'Teléfono del Contacto',
+ 'contact_email' => 'Email del Contacto',
+ 'reply_to_email' => 'Direccion Email de Respuesta',
+ 'reply_to_email_help' => 'Especifique la dirección de respuesta para los correos electrónicos de los clientes.',
+ 'bcc_email_help' => 'En privado, incluya esta dirección con los correos electrónicos de los clientes.',
+ 'import_complete' => 'Su importación se ha completado correctamente.',
+ 'confirm_account_to_import' => 'Por favor, confirme su cuenta para importar datos.',
+ 'import_started' => 'Su importación ha comenzado, le enviaremos un correo electrónico una vez que se complete.',
+ 'listening' => 'Escuchando...',
+ 'microphone_help' => 'Diga "nueva factura para [cliente]" o "muéstreme los pagos archivados de [cliente]"',
+ 'voice_commands' => 'Comandos de voz',
+ 'sample_commands' => 'Comandos de ejemplo',
+ 'voice_commands_feedback' => 'Estamos trabajando activamente para mejorar esta función, si hay un comando que le gustaría que admitamos, envíenos un correo electrónico a :email.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Giro postal',
+ 'archived_products' => ':count productos archivados correctamente',
+ 'recommend_on' => 'Recomendamos habilitar esta configuración.',
+ 'recommend_off' => 'Recomendamos deshabilitar esta configuración.',
+ 'notes_auto_billed' => 'Auto-facturado',
+ 'surcharge_label' => 'Etiqueta de Recargo',
+ 'contact_fields' => 'Campos del contacto',
+ 'custom_contact_fields_help' => 'Añadir un campo al crear un Contacto y opcionalmente mostrar la etiqueta y su valor en el PDF.',
+ 'datatable_info' => 'Mostrando de :start a :end de :total entradas',
+ 'credit_total' => 'Crédito Total',
+ 'mark_billable' => 'Marcar como Facturable',
+ 'billed' => 'Facturado',
+ 'company_variables' => 'Variables de la compañía',
+ 'client_variables' => 'Variables del cliente',
+ 'invoice_variables' => 'Variables de la factura',
+ 'navigation_variables' => 'Variables de navegación',
+ 'custom_variables' => 'Variables personalizadas',
+ 'invalid_file' => 'Tipo de archivo inválido',
+ 'add_documents_to_invoice' => 'Agregar documentos a la factura',
+ 'mark_expense_paid' => 'Marcar como pagado',
+ 'white_label_license_error' => 'Error al validar la licencia, verifique "/storage/logs/laravel-error.log" para más detalles.',
+ 'plan_price' => 'Precio del plan',
+ 'wrong_confirmation' => 'Código de confirmación incorrecto',
+ 'oauth_taken' => 'La cuenta ya está registrada',
+ 'emailed_payment' => 'Pago enviado correctamente por correo electrónico',
+ 'email_payment' => 'Pago por correo electrónico',
+ 'invoiceplane_import' => 'Use :link para migrar sus datos desde InvoicePlane.',
+ 'duplicate_expense_warning' => 'ADVERTENCIA: Este :link puede ser un duplicado',
+ 'expense_link' => 'Gasto',
+ 'resume_task' => 'Reanudar tarea',
+ 'resumed_task' => 'La tarea se reanudó correctamente',
+ 'quote_design' => 'Diseños del presupuesto',
+ 'default_design' => 'Diseño estándar',
+ 'custom_design1' => 'Diseño personalizado 1',
+ 'custom_design2' => 'Diseño personalizado 2',
+ 'custom_design3' => 'Diseño personalizado 3',
+ 'empty' => 'Vacío',
+ 'load_design' => 'Cargar diseño',
+ 'accepted_card_logos' => 'Logotipos de tarjetas aceptadas',
+ 'phantomjs_local_and_cloud' => 'Usando PhantomJS local, volviendo a phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Seguimiento de pagos usando :link',
+ 'start_date_required' => 'La fecha de inicio es obligatoria',
+ 'application_settings' => 'Configuración de la Aplicación',
+ 'database_connection' => 'Conexión de la base de datos',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Base de datos',
+ 'test_connection' => 'Probar Conexión',
+ 'from_name' => 'Nombre De',
+ 'from_address' => 'Email De',
+ 'port' => 'Puerto',
+ 'encryption' => 'Encriptación',
+ 'mailgun_domain' => 'Dominio Mailgun',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Enviar email de prueba',
+ 'select_label' => 'Seleccionar etiqueta',
+ 'label' => 'Etiqueta',
+ 'service' => 'Servicio',
+ 'update_payment_details' => 'Actualizar detalles de pago',
+ 'updated_payment_details' => 'Se actualizaron correctamente los detalles de pago',
+ 'update_credit_card' => 'Actualizar Tarjeta de crédito',
+ 'recurring_expenses' => 'Gastos Periódicos',
+ 'recurring_expense' => 'Gasto Periódico',
+ 'new_recurring_expense' => 'Nuevo Gasto Periódico',
+ 'edit_recurring_expense' => 'Editar Gasto Periódico',
+ 'archive_recurring_expense' => 'Archivar Gasto Periódico',
+ 'list_recurring_expense' => 'Lista de Gastos Periódicos',
+ 'updated_recurring_expense' => 'Gasto Periódico actualizado correctamente',
+ 'created_recurring_expense' => 'Gasto Periódico creado correctamente',
+ 'archived_recurring_expense' => 'Gasto Periódico archivado correctamente',
+ 'archived_recurring_expense' => 'Gasto Periódico archivado correctamente',
+ 'restore_recurring_expense' => 'Restaurar Gasto Periódico',
+ 'restored_recurring_expense' => 'Gasto Periódico restaurado correctamente',
+ 'delete_recurring_expense' => 'Borrar Gasto Periódico',
+ 'deleted_recurring_expense' => 'Gasto Periódico borrado correctamente',
+ 'deleted_recurring_expense' => 'Gasto Periódico borrado correctamente',
+ 'view_recurring_expense' => 'Ver Gasto Periódico',
+ 'taxes_and_fees' => 'Impuestos y cargos',
+ 'import_failed' => 'Error de Importación',
+ 'recurring_prefix' => 'Prefijo Recurrente',
+ 'options' => 'Opciones',
+ 'credit_number_help' => 'Especifique un prefijo o use un patrón personalizado para establecer dinámicamente el número de crédito para las facturas negativas.',
+ 'next_credit_number' => 'El siguiente Código de Credito es :number.',
+ 'padding_help' => 'El número de ceros para rellenar el número.',
+ 'import_warning_invalid_date' => 'Advertencia: el formato de fecha parece ser inválido.',
+ 'product_notes' => 'Notas de Producto',
+ 'app_version' => 'Version de aplicacion',
+ 'ofx_version' => 'Version de OFX ',
+ 'gateway_help_23' => ':link para obtener tus claves de Stripe API.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY se establece en un valor predeterminado, para actualizarlo haga una copia de seguridad de su base de datos y luego ejecute php artisan ninja:update-key
',
+ 'charge_late_fee' => 'Cargo por tardanza',
+ 'late_fee_amount' => 'Cargo por pago atrasado',
+ 'late_fee_percent' => 'Porcentaje por pago atrasado',
+ 'late_fee_added' => 'Cargo por retraso agregado en :date',
+ 'download_invoice' => 'Descargar Factura',
+ 'download_quote' => 'Descargar Presupuesto',
+ 'invoices_are_attached' => 'Sus archivos PDF de facturas se adjuntaron.',
+ 'downloaded_invoice' => 'Se enviará un correo electrónico con la factura en PDF',
+ 'downloaded_quote' => 'Se enviará un correo electrónico con el presupuesto en PDF',
+ 'downloaded_invoices' => 'Se enviará un correo electrónico con la factura en PDF',
+ 'downloaded_quotes' => 'Se enviará un correo electrónico con el presupuesto en PDF',
+ 'clone_expense' => 'Clonar Gasto',
+ 'default_documents' => 'Documents por defecto',
+ 'send_email_to_client' => 'Enviar email al cliente',
+ 'refund_subject' => 'Reembolso procesado',
+ 'refund_body' => 'Se ha procesado un reembolso de :amount por la factura :invoice_number.',
+
+ 'currency_us_dollar' => 'Dólar estadounidense',
+ 'currency_british_pound' => 'Libra británica',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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' => 'Lempira Hondureña',
+ 'currency_surinamese_dollar' => 'Dólar Surinamés',
+ 'currency_bahraini_dinar' => 'Dinar Bareiní',
+
+ 'review_app_help' => 'Esperamos que estés disfrutando con la app.
Si consideras :link ¡te lo agraderemos enormemente!',
+ 'writing_a_review' => 'escribir una reseña',
+
+ 'use_english_version' => 'Asegúrese de usar la versión en inglés de los archivos.
Usamos los encabezados de las columnas para que coincidan con los campos.',
+ 'tax1' => 'Primer impuesto',
+ 'tax2' => 'Segundo impuesto',
+ 'fee_help' => 'Las tarifas de Gateway son los costos que se cobran por el acceso a las redes financieras que manejan el procesamiento de pagos en línea.',
+ 'format_export' => 'Formato de exportación',
+ 'custom1' => 'Primera personalización',
+ 'custom2' => 'Segunda personalización',
+ 'contact_first_name' => 'Nombre del Contacto',
+ 'contact_last_name' => 'Apellido del contacto',
+ 'contact_custom1' => 'Contacto Primer personalizado',
+ 'contact_custom2' => 'Contacto Segundo personalizado',
+ 'currency' => 'Divisa',
+ 'ofx_help' => 'Para resolver problemas consulta los comentarios en :ofxhome_link y para testear en :ofxget_link.',
+ 'comments' => 'Comentarios',
+
+ 'item_product' => 'Producto del artículo',
+ 'item_notes' => 'Notas del artículo',
+ 'item_cost' => 'Coste del artículo',
+ 'item_quantity' => 'Cantidad del artículo',
+ 'item_tax_rate' => 'Tasa de impuesto al artículo',
+ 'item_tax_name' => 'Nombre del impuesto del artículo',
+ 'item_tax1' => 'Impuesto de artículo 1',
+ 'item_tax2' => 'Impuesto de artículo 2',
+
+ 'delete_company' => 'Borrar Compañía',
+ 'delete_company_help' => 'Eliminar permanentemente la empresa junto con todos los datos y ajustes.',
+ 'delete_company_message' => 'Advertencia: esto eliminará definitivamente su empresa, no hay deshacer.',
+
+ 'applied_discount' => 'El cupón se ha aplicado, el precio del plan se ha reducido en :discount%.',
+ 'applied_free_year' => 'El cupón se aplicó, su cuenta se actualizó a profesional por un año.',
+
+ 'contact_us_help' => 'Si informa un error, incluya todos los registros relevantes de "/storage/logs/laravel-error.log"',
+ 'include_errors' => 'Incluir errores',
+ 'include_errors_help' => 'Incluir :link de "/storage/logs/laravel-error.log"',
+ 'recent_errors' => 'errores recientes',
+ 'customer' => 'Cliente',
+ 'customers' => 'Clientes',
+ 'created_customer' => 'Cliente creado correctamente',
+ 'created_customers' => ':count clientes creados correctamente',
+
+ 'purge_details' => 'Los datos en su empresa (:account) se han purgado satisfactoriamente.',
+ 'deleted_company' => 'Empresa borrada satisfactoriamente',
+ 'deleted_account' => 'Cuenta cancelada satisfactoriamente',
+ 'deleted_company_details' => 'Su empresa (:account) se ha eliminado correctamente.',
+ 'deleted_account_details' => 'Su cuenta (:account) se ha eliminado correctamente.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Aceptar Alipay',
+ 'enable_sofort' => 'Aceptar transferencias bancarias de la UE',
+ 'stripe_alipay_help' => 'Estas pasarelas también deben activarse en :link.',
+ 'calendar' => 'Calendario',
+ 'pro_plan_calendar' => ':link para habilitar calendario uniéndose al Plan Pro',
+
+ 'what_are_you_working_on' => '¿En que estas trabajando?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refrescar',
+ 'filter_sort' => 'Filtrar/Ordenar',
+ 'no_description' => 'Sin Descripción',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Guarde o descarte sus cambios',
+ 'discard_changes' => 'Descartar los cambios',
+ 'tasks_not_enabled' => 'Las tareas no están habilitadas.',
+ 'started_task' => 'Tarea empezada correctamente',
+ 'create_client' => 'Crear cliente',
+
+ 'download_desktop_app' => 'Descargue la aplicación de escritorio',
+ 'download_iphone_app' => 'Descargue la aplicación de iPhone ',
+ 'download_android_app' => 'Descargue la aplicación de Android ',
+ 'time_tracker_mobile_help' => 'Toca dos veces una tarea para seleccionarla',
+ 'stopped' => 'Parado',
+ 'ascending' => 'Ascendente',
+ 'descending' => 'Descendente',
+ 'sort_field' => 'Ordenar por',
+ 'sort_direction' => 'Dirección',
+ 'discard' => 'Descartar',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Limpiar',
+ 'warn_payment_gateway' => 'Nota: la aceptación de pagos en línea requiere una puerta de enlace de pago, enlace para agregar uno.',
+ 'task_rate' => 'Tasa de tareas',
+ 'task_rate_help' => 'Indique el ratio por defecto para las tareas facturadas.',
+ 'past_due' => 'Vencido',
+ 'document' => 'Documento',
+ 'invoice_or_expense' => 'Factura/Gasto',
+ 'invoice_pdfs' => 'PDFs de facturas',
+ 'enable_sepa' => 'Aceptar SEPA',
+ 'enable_bitcoin' => 'Aceptar Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => 'Al proporcionar su IBAN y confirmar este pago, usted está autorizando a :company y Stripe, nuestro proveedor de servicios de pago, a enviar instrucciones a su banco para cargar su cuenta y su banco para debitar su cuenta de acuerdo con esas instrucciones. Tiene derecho a un reembolso de su banco en los términos y condiciones de su acuerdo con su banco. Se debe reclamar un reembolso dentro de las 8 semanas a partir de la fecha en que se debitó su cuenta.',
+ 'recover_license' => 'Recuperar licencia',
+ 'purchase' => 'Compra',
+ 'recover' => 'Recuperar',
+ 'apply' => 'Aplicar',
+ 'recover_white_label_header' => 'Recuperar licencia de Marca Blanca',
+ 'apply_white_label_header' => 'Aplicar licencia de Marca Blanca',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Regresar a la factura',
+ 'gateway_help_13' => 'Para usar ITN, deje el campo Clave de PDT en blanco.',
+ 'partial_due_date' => 'Fecha de vencimiento parcial',
+ 'task_fields' => 'Campos de las Tareas',
+ 'product_fields_help' => 'Arrastre los campos para cambiar su orden',
+ 'custom_value1' => 'Valor Personalizado',
+ 'custom_value2' => 'Valor Personalizado',
+ 'enable_two_factor' => 'Autenticacion en dos pasos',
+ 'enable_two_factor_help' => 'Utiliza tu telefono para confirmar tu identidad cuando te conectes',
+ 'two_factor_setup' => 'Configuracion de Autenticacion en dos pasos',
+ 'two_factor_setup_help' => 'Escanea el codigo de barras con una :link aplicacion compatible',
+ 'one_time_password' => 'Password de un solo uso',
+ 'set_phone_for_two_factor' => 'Indica tu teléfono movil como backup para activar.',
+ 'enabled_two_factor' => 'Autenticacion en dos pasos habilitada correctamente',
+ 'add_product' => 'Añadir Producto',
+ 'email_will_be_sent_on' => 'Nota: el correo se enviará el :date.',
+ 'invoice_product' => 'Producto de Factura',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: almacenaje local no disponible.',
+ 'your_password_reset_link' => 'Enlace para reiniciar su password',
+ 'subdomain_taken' => 'El subdominio ya está en uso',
+ 'client_login' => 'Acceso de Clientes',
+ 'converted_amount' => 'Cuenta convertida',
+ 'default' => 'Por defecto',
+ 'shipping_address' => 'Direccion de Envio',
+ 'bllling_address' => 'Dirección de Facturación',
+ 'billing_address1' => 'Calle de Facturacion',
+ 'billing_address2' => 'Piso de Facturacion',
+ 'billing_city' => 'Ciudad de Facturacion',
+ 'billing_state' => 'Provincia de Facturacion',
+ 'billing_postal_code' => 'Cod. Postal de Facturacion',
+ 'billing_country' => 'Pais de Facturacion',
+ 'shipping_address1' => 'Calle de Envio',
+ 'shipping_address2' => 'Piso de Envio',
+ 'shipping_city' => 'Ciudad de Envio',
+ 'shipping_state' => 'Provincia de Envio',
+ 'shipping_postal_code' => 'Cod. Postal de Envio',
+ 'shipping_country' => 'Pais de Envio',
+ 'classify' => 'Clasificar',
+ 'show_shipping_address_help' => 'Requerir al cliente que indique su dirección de envio',
+ 'ship_to_billing_address' => 'Enviar a la Dirección de Facturación',
+ 'delivery_note' => 'Nota para el envio',
+ 'show_tasks_in_portal' => 'Mostrar tareas en el Portal del Cliente',
+ 'cancel_schedule' => 'Cancelar Programacion',
+ 'scheduled_report' => 'Informe Programado',
+ 'scheduled_report_help' => 'Enviar por correo el informe :report como :format a :email',
+ 'created_scheduled_report' => 'Informe Programado correctamente',
+ 'deleted_scheduled_report' => 'Informe Programado cancelado correctamente',
+ 'scheduled_report_attached' => 'Tu informe :type programado está adjunto.',
+ 'scheduled_report_error' => 'Fallo al crear informe programado',
+ 'invalid_one_time_password' => 'Contraseña de uso único inválida',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Aceptar Apple Pay y Google Pay',
+ 'requires_subdomain' => 'Este tipo de pago requiere que :link.',
+ 'subdomain_is_set' => 'el subdominio se ha fijado',
+ 'verification_file' => 'archivo de verificacion',
+ 'verification_file_missing' => 'El archivo de verificación es necesario para aceptar pagos',
+ 'apple_pay_domain' => 'Usa :domain
como dominio en :link.',
+ 'apple_pay_not_supported' => 'Lo sentimos, Apple/Google Pay no está soportado por su navegador',
+ 'optional_payment_methods' => 'Métodos de pago opcionales',
+ 'add_subscription' => 'Añadir suscripción',
+ 'target_url' => 'objetivo',
+ 'target_url_help' => 'Cuando el evento seleccionado suceda, la app enviará la entidad a la URL de destino.',
+ 'event' => 'Evento',
+ 'subscription_event_1' => 'Cliente creado ',
+ 'subscription_event_2' => 'Factura creada',
+ 'subscription_event_3' => 'Presupuesto creado',
+ 'subscription_event_4' => 'Pago creado',
+ 'subscription_event_5' => 'Crear Proveedor',
+ 'subscription_event_6' => 'Presupuesto Actualizado',
+ 'subscription_event_7' => 'Presupuesto Borrado',
+ 'subscription_event_8' => 'Factura Actualizada',
+ 'subscription_event_9' => 'Factura Eliminada',
+ 'subscription_event_10' => 'Cliente Actualizado',
+ 'subscription_event_11' => 'Cliente Eliminado',
+ 'subscription_event_12' => 'Pago Eliminado',
+ 'subscription_event_13' => 'Proveedor Actualizado',
+ 'subscription_event_14' => 'Proveedor Eliminado',
+ 'subscription_event_15' => 'Gasto Creado',
+ 'subscription_event_16' => 'Gasto Actualizado',
+ 'subscription_event_17' => 'Gasto Eliminado',
+ 'subscription_event_18' => 'Tarea Creada',
+ 'subscription_event_19' => 'Tarea Actualizada',
+ 'subscription_event_20' => 'Tarea Eliminada',
+ 'subscription_event_21' => 'Presupuesto Aprobado',
+ 'subscriptions' => 'Suscripciones',
+ 'updated_subscription' => 'Suscripción actualizada correctamente',
+ 'created_subscription' => 'Suscripción creada correctamente',
+ 'edit_subscription' => 'Editar Suscripción',
+ 'archive_subscription' => 'Archivar Suscripción',
+ 'archived_subscription' => 'Suscripción archivada correctamente',
+ 'project_error_multiple_clients' => 'Los proyectos no pueden pertenecer a diferentes clientes',
+ 'invoice_project' => 'Facturar Proyecto',
+ 'module_recurring_invoice' => 'Facturas Recurrentes',
+ 'module_credit' => 'Créditos',
+ 'module_quote' => 'Presupuestos y Propuestas',
+ 'module_task' => 'Tareas y Proyectos',
+ 'module_expense' => 'Gastos y Proveedores',
+ 'reminders' => 'Recordatorios',
+ 'send_client_reminders' => 'Enviar email recordatorio',
+ 'can_view_tasks' => 'Las tareas son visibles en el portal',
+ 'is_not_sent_reminders' => 'Los recordatorios no se enviarán',
+ 'promotion_footer' => 'La promoción expirará pronto, :link para actualizar ahora.',
+ 'unable_to_delete_primary' => 'Nota: para eliminar esta empresa, primero borra todas las empresas enlazadas.',
+ 'please_register' => 'Por favor registra tu cuenta',
+ 'processing_request' => 'Procesando Petición',
+ 'mcrypt_warning' => 'Atención: Mcrypt está obsoleto, ejecuta :command para actualizar tu cifrado.',
+ 'edit_times' => 'Editar tiempos',
+ 'inclusive_taxes_help' => 'Incluye impuestos en el coste',
+ 'inclusive_taxes_notice' => 'Esta opción no puede ser cambiada una vez que se emita una factura.',
+ 'inclusive_taxes_warning' => 'Atención: las facturas existentes necesitarán ser guardadas de nuevo',
+ 'copy_shipping' => 'Copiar Envío',
+ 'copy_billing' => 'Copia Facturación',
+ 'quote_has_expired' => 'El presupuesto ha expirado, por favor contacta con el vendedor.',
+ 'empty_table_footer' => 'Mostrando de 0 a 0 de 0 entradas',
+ 'do_not_trust' => 'No recordar este dispositivo',
+ 'trust_for_30_days' => 'Mantener durante 30 días',
+ 'trust_forever' => 'Mantener para siempre',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Disponibles',
+ 'ready_to_do' => 'Preparadas',
+ 'in_progress' => 'En proceso',
+ 'add_status' => 'Añadir Estado',
+ 'archive_status' => 'Archivar Estado',
+ 'new_status' => 'Nuevo Estado',
+ 'convert_products' => 'Convertir Productos',
+ 'convert_products_help' => 'Convertir automáticamente los precios de los productos a la divisa del cliente',
+ 'improve_client_portal_link' => 'Use un subdominio para acortar el enlace al portal de cliente',
+ 'budgeted_hours' => 'Horas Presupuestadas',
+ 'progress' => 'Progreso',
+ 'view_project' => 'Ver Proyecto',
+ 'summary' => 'Resumen',
+ 'endless_reminder' => 'Recordatorio Sin Fín',
+ 'signature_on_invoice_help' => 'Añade el código mostrado a continuación para mostrar la firma de tu cliente en el PDF',
+ 'signature_on_pdf' => 'Mostrar en PDF',
+ 'signature_on_pdf_help' => 'Mostrar la firma del cliente en el PDF de la factura/presupuesto',
+ 'expired_white_label' => 'La licencia de marca blanca ha expirado',
+ 'return_to_login' => 'Volver a Inicio de Sesión',
+ 'convert_products_tip' => 'Nota: añade un :link llamado ":name" para ver la tasa de cambio.',
+ 'amount_greater_than_balance' => 'La cantidad es mayor que el balance de la factura, un crédito será creado con la cantidad restante.',
+ 'custom_fields_tip' => 'Usa Etiqueta|Opción1,Opción2
para mostrar un cuadro de selección.',
+ 'client_information' => 'Información del cliente',
+ 'updated_client_details' => 'Se actualizaron correctamente los detalles del cliente',
+ 'auto' => 'Automática/o',
+ 'tax_amount' => 'Total Impuestos',
+ 'tax_paid' => 'Impuestos Pagados',
+ 'none' => 'Ninguno',
+ 'proposal_message_button' => 'Para ver su propuesta con importe :amount, pulse el siguiente botón.',
+ 'proposal' => 'Propuesta',
+ 'proposals' => 'Propuestas',
+ 'list_proposals' => 'Listar Propuestas',
+ 'new_proposal' => 'Nueva propuesta',
+ 'edit_proposal' => 'Editar propuesta',
+ 'archive_proposal' => 'Archivar propuesta',
+ 'delete_proposal' => 'Borrar propuesta',
+ 'created_proposal' => 'Propuesta creada correctamente',
+ 'updated_proposal' => 'Propuesta actualizada correctamente',
+ 'archived_proposal' => 'Propuesta archivada correctamente',
+ 'deleted_proposal' => 'Propuesta archivada correctamente',
+ 'archived_proposals' => ':count propuestas archivadas correctamente',
+ 'deleted_proposals' => ':count propuestas archivadas correctamente',
+ 'restored_proposal' => 'Propuesta restaurada satisfactoriamente',
+ 'restore_proposal' => 'Restaurar Propuesta',
+ 'snippet' => 'Snippet',
+ 'snippets' => 'Snippets',
+ 'proposal_snippet' => 'Snippet',
+ 'proposal_snippets' => 'Snippets',
+ 'new_proposal_snippet' => 'Nuevo Snippet',
+ 'edit_proposal_snippet' => 'Editar Snippet',
+ 'archive_proposal_snippet' => 'Archivar Snippet',
+ 'delete_proposal_snippet' => 'Borrar Snippet',
+ 'created_proposal_snippet' => 'Snippet creado correctamente',
+ 'updated_proposal_snippet' => 'Snippet actualizado correctamente',
+ 'archived_proposal_snippet' => 'Snippet archivado correctamente',
+ 'deleted_proposal_snippet' => 'Snippet archivado correctamente',
+ 'archived_proposal_snippets' => ':count snippets archivados correctamente',
+ 'deleted_proposal_snippets' => ':count snippets archivados correctamente',
+ 'restored_proposal_snippet' => 'Snippet restaurado correctamente',
+ 'restore_proposal_snippet' => 'Restaurar Snippet',
+ 'template' => 'Plantilla',
+ 'templates' => 'Plantillas',
+ 'proposal_template' => 'Plantilla',
+ 'proposal_templates' => 'Plantillas',
+ 'new_proposal_template' => 'Nueva Plantilla',
+ 'edit_proposal_template' => 'Editar Plantilla',
+ 'archive_proposal_template' => 'Archivar plantilla',
+ 'delete_proposal_template' => 'Borrar plantilla',
+ 'created_proposal_template' => 'Plantilla creada correctamente',
+ 'updated_proposal_template' => 'Plantilla actualizada correctamente',
+ 'archived_proposal_template' => 'Plantilla archivada correctamente',
+ 'deleted_proposal_template' => 'Plantilla archivada correctamente',
+ 'archived_proposal_templates' => ':count plantillas archivadas correctamente',
+ 'deleted_proposal_templates' => ':count plantillas archivadas correctamente',
+ 'restored_proposal_template' => 'Plantilla restaurada correctamente',
+ 'restore_proposal_template' => 'Restaurar Plantilla',
+ 'proposal_category' => 'Categoría',
+ 'proposal_categories' => 'Categorías',
+ 'new_proposal_category' => 'Nueva Categoría',
+ 'edit_proposal_category' => 'Editar Categoría',
+ 'archive_proposal_category' => 'Archivar Categoría',
+ 'delete_proposal_category' => 'Borrar Categoría',
+ 'created_proposal_category' => 'Categoría creada correctamente',
+ 'updated_proposal_category' => 'Categoría actualizada correctamente',
+ 'archived_proposal_category' => 'Categoría archivada correctamente',
+ 'deleted_proposal_category' => 'Categoría archivada correctamente',
+ 'archived_proposal_categories' => ':count categorías archivadas correctamente',
+ 'deleted_proposal_categories' => ':count categorías archivadas correctamente',
+ 'restored_proposal_category' => 'Categoría restaurada correctamente',
+ 'restore_proposal_category' => 'Restaurar Categoría',
+ 'delete_status' => 'Borrar Estado',
+ 'standard' => 'Estándar',
+ 'icon' => 'Icono',
+ 'proposal_not_found' => 'La propuesta solicitada no está disponible',
+ 'create_proposal_category' => 'Crear categoría',
+ 'clone_proposal_template' => 'Clonar Plantilla',
+ 'proposal_email' => 'Enviar Propuesta',
+ 'proposal_subject' => 'Nueva propuesta :number de :account',
+ 'proposal_message' => 'Para ver su propuesta con importe :amount, pulse el siguiente botón.',
+ 'emailed_proposal' => 'Propuesta enviada correctamente',
+ 'load_template' => 'Cargar Plantilla',
+ 'no_assets' => 'Sin imágenes, arrastra aquí para subir',
+ 'add_image' => 'Añadir Imagen',
+ 'select_image' => 'Seleccionar Imagen',
+ 'upgrade_to_upload_images' => 'Actualiza al Plan Enterprise para subir imágenes',
+ 'delete_image' => 'Borrar Imagen',
+ 'delete_image_help' => 'Atención: borrar la imagen la eliminará de todas las propuestas.',
+ 'amount_variable_help' => 'Nota: el campo de la factura $amount usará el campo parcial/depósito si se indica, de otra forma se usará el balance de la factura.',
+ 'taxes_are_included_help' => 'Nota: los impuestos incluidos están activados.',
+ 'taxes_are_not_included_help' => 'Nota: los impuestos incluidos no están activados.',
+ 'change_requires_purge' => 'Cambiar esta opción necesita :link los datos de la cuenta',
+ 'purging' => 'purgado',
+ 'warning_local_refund' => 'El reembolso será registrado en la app, pero NO será procesado por la pasarela de pago.',
+ 'email_address_changed' => 'La dirección de correo electrónico se ha cambiado',
+ 'email_address_changed_message' => 'La dirección de correo de tu cuenta ha sido cambiada de :old_email a :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Histórico de Emails',
+ 'loading' => 'Cargando',
+ 'no_messages_found' => 'No se encontraron mensajes',
+ 'processing' => 'Procesando',
+ 'reactivate' => 'Reactivar',
+ 'reactivated_email' => 'La dirección de correo electrónico ha sido reactivada',
+ 'emails' => 'Emails',
+ 'opened' => 'Abiertos',
+ 'bounced' => 'Rebotados',
+ 'total_sent' => 'Total Enviados',
+ 'total_opened' => 'Total Abiertos',
+ 'total_bounced' => 'Total Rebotados',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Plataformas',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Móvil',
+ 'desktop' => 'Escritorio',
+ 'webmail' => 'Webmail',
+ 'group' => 'Grupo',
+ 'subgroup' => 'Subgrupo',
+ 'unset' => 'Unset',
+ 'received_new_payment' => '¡Has recibido un nuevo pago!',
+ 'slack_webhook_help' => 'Recibe notificaciones de pago usando :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Aceptar',
+ 'accepted_terms' => 'Se aceptaron correctamente los últimos términos de servicio',
+ 'invalid_url' => 'URL inválida',
+ 'workflow_settings' => 'Configuración de Flujos',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automáticamente enviar por email facturas recurrentes cuando sean creadas.',
+ 'auto_archive_invoice' => 'Auto Archivar',
+ 'auto_archive_invoice_help' => 'Automáticamente archivar facturas cuando sean pagadas.',
+ 'auto_archive_quote' => 'Auto Archivar',
+ 'auto_archive_quote_help' => 'Automáticamente archivar presupuestos cuando sean convertidos.',
+ 'allow_approve_expired_quote' => 'Permitir aprobación de presupuesto vencido',
+ 'allow_approve_expired_quote_help' => 'Permitir a los clientes aprobar presupuestos expirados.',
+ 'invoice_workflow' => 'Flujo de Factura',
+ 'quote_workflow' => 'Flujo de Presupuesto',
+ 'client_must_be_active' => 'Error: el cliente debe estar activo',
+ 'purge_client' => 'Purgar Cliente',
+ 'purged_client' => 'Cliente purgado correctamente',
+ 'purge_client_warning' => 'Todos los registros relacionados (facturas, tareas, gastos, documentos, etc) serán también eliminados.',
+ 'clone_product' => 'Clonar Producto',
+ 'item_details' => 'Detalles Artículo',
+ 'send_item_details_help' => 'Enviar los detalles de los artículos a la pasarela de pago',
+ 'view_proposal' => 'Ver Propuesta',
+ 'view_in_portal' => 'Ver en Portal',
+ 'cookie_message' => 'Esta página web usa cookies para asegurar que tengas la mejor experiencia de uso de este sitio.',
+ 'got_it' => '¡Lo tengo!',
+ 'vendor_will_create' => 'el proveedor será creado',
+ 'vendors_will_create' => 'los proveedores serán creados',
+ 'created_vendors' => 'Se crearon :count proveedor(es) correctamente',
+ 'import_vendors' => 'Importar Proveedores',
+ 'company' => 'Empresa',
+ 'client_field' => 'Campo de Cliente',
+ 'contact_field' => 'Campo de Contacto',
+ 'product_field' => 'Campo de Producto',
+ 'task_field' => 'Campo de Tarea',
+ 'project_field' => 'Campo de Proyecto',
+ 'expense_field' => 'Campo de Gasto',
+ 'vendor_field' => 'Campo de Proveedor',
+ 'company_field' => 'Campo de Empresa',
+ 'invoice_field' => 'Campo de Factura',
+ 'invoice_surcharge' => 'Recargo de Factura',
+ 'custom_task_fields_help' => 'Añadir un campo al crear una tarea.',
+ 'custom_project_fields_help' => 'Añadir un campo al crear un proyecto.',
+ 'custom_expense_fields_help' => 'Añadir un campo al crear un gasto.',
+ 'custom_vendor_fields_help' => 'Añadir un campo al crear un proveedor.',
+ 'messages' => 'Mensajes',
+ 'unpaid_invoice' => 'Factura Impagada',
+ 'paid_invoice' => 'Factura Pagada',
+ 'unapproved_quote' => 'Presupuesto No Aprobado',
+ 'unapproved_proposal' => 'Propuesta No Aprobada',
+ 'autofills_city_state' => 'Auto rellenar ciudad/provincia',
+ 'no_match_found' => 'Sin resultados',
+ 'password_strength' => 'Seguridad de la Contraseña',
+ 'strength_weak' => 'Débil',
+ 'strength_good' => 'Buena',
+ 'strength_strong' => 'Fuerte',
+ 'mark' => 'Marca',
+ 'updated_task_status' => 'Se actualizó correctamente el estado de la tarea',
+ 'background_image' => 'Imagen de Fondo',
+ 'background_image_help' => 'Usa el :link para gestionar tus imágenes, te recomendamos usar un archivo pequeño.',
+ 'proposal_editor' => 'editor de propuesta',
+ 'background' => 'Fondo',
+ 'guide' => 'Guía',
+ 'gateway_fee_item' => 'Concepto de Comisión de Pasarela de Pago',
+ 'gateway_fee_description' => 'Sobrecoste de Comisión de Pasarela de Pago',
+ 'show_payments' => 'Mostrar Pagos',
+ 'show_aging' => 'Mostrar Envejecimiento',
+ 'reference' => 'Referencia',
+ 'amount_paid' => 'Cantidad Pagada',
+ 'send_notifications_for' => 'Mandar Notificaciones Por',
+ 'all_invoices' => 'Todas las Facturas',
+ 'my_invoices' => 'Mis Facturas',
+ 'mobile_refresh_warning' => 'Si estás usando la app móvil necesitarás hacer un refresco completo.',
+ 'enable_proposals_for_background' => 'Para subir una imagen de fondo :link para activar el módulo de propuestas.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/es_ES/validation.php b/resources/lang/es_ES/validation.php
new file mode 100644
index 000000000000..2e2e55921911
--- /dev/null
+++ b/resources/lang/es_ES/validation.php
@@ -0,0 +1,111 @@
+ ":attribute debe ser aceptado.",
+ "active_url" => ":attribute no es una URL válida.",
+ "after" => ":attribute debe ser una fecha posterior a :date.",
+ "alpha" => ":attribute solo debe contener letras.",
+ "alpha_dash" => ":attribute solo debe contener letras, números y guiones.",
+ "alpha_num" => ":attribute solo debe contener letras y números.",
+ "array" => ":attribute debe ser un conjunto.",
+ "before" => ":attribute debe ser una fecha anterior a :date.",
+ "between" => array(
+ "numeric" => ":attribute tiene que estar entre :min - :max.",
+ "file" => ":attribute debe pesar entre :min - :max kilobytes.",
+ "string" => ":attribute tiene que tener entre :min - :max caracteres.",
+ "array" => ":attribute tiene que tener entre :min - :max ítems.",
+ ),
+ "confirmed" => "La confirmación de :attribute no coincide.",
+ "date" => ":attribute no es una fecha válida.",
+ "date_format" => ":attribute no corresponde al formato :format.",
+ "different" => ":attribute y :other deben ser diferentes.",
+ "digits" => ":attribute debe tener :digits dígitos.",
+ "digits_between" => ":attribute debe tener entre :min y :max dígitos.",
+ "email" => ":attribute no es un correo válido",
+ "exists" => ":attribute es inválido.",
+ "image" => ":attribute debe ser una imagen.",
+ "in" => ":attribute es inválido.",
+ "integer" => ":attribute debe ser un número entero.",
+ "ip" => ":attribute debe ser una dirección IP válida.",
+ "max" => array(
+ "numeric" => ":attribute no debe ser mayor a :max.",
+ "file" => ":attribute no debe ser mayor que :max kilobytes.",
+ "string" => ":attribute no debe ser mayor que :max caracteres.",
+ "array" => ":attribute no debe tener más de :max elementos.",
+ ),
+ "mimes" => ":attribute debe ser un archivo con formato: :values.",
+ "min" => array(
+ "numeric" => "El tamaño de :attribute debe ser de al menos :min.",
+ "file" => "El tamaño de :attribute debe ser de al menos :min kilobytes.",
+ "string" => ":attribute debe contener al menos :min caracteres.",
+ "array" => ":attribute debe tener al menos :min elementos.",
+ ),
+ "not_in" => ":attribute es inválido.",
+ "numeric" => ":attribute debe ser numérico.",
+ "regex" => "El formato de :attribute es inválido.",
+ "required" => "El campo :attribute es obligatorio.",
+ "required_if" => "El campo :attribute es obligatorio cuando :other es :value.",
+ "required_with" => "El campo :attribute es obligatorio cuando :values está presente.",
+ "required_with_all" => "The :attribute field is required when :values is present.",
+ "required_without" => "El campo :attribute es obligatorio cuando :values no está presente.",
+ "required_without_all" => "The :attribute field is required when none of :values are present.",
+ "same" => ":attribute y :other deben coincidir.",
+ "size" => array(
+ "numeric" => "El tamaño de :attribute debe ser :size.",
+ "file" => "El tamaño de :attribute debe ser :size kilobytes.",
+ "string" => ":attribute debe contener :size caracteres.",
+ "array" => ":attribute debe contener :size elementos.",
+ ),
+ "unique" => ":attribute ya ha sido registrado.",
+ "url" => "El formato :attribute es inválido.",
+ "positive" => ":attribute debe ser mayor que cero.",
+ "has_credit" => "el cliente no tiene crédito suficiente.",
+ "notmasked" => "The values are masked",
+ "less_than" => 'The :attribute must be less than :value',
+ "has_counter" => 'The value must contain {$counter}',
+ "valid_contacts" => "All of the contacts must have either an email or name",
+ "valid_invoice_items" => "The invoice exceeds the maximum amount",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(
+ 'attribute-name' => array(
+ 'rule-name' => 'custom-message',
+ ),
+ ),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(),
+
+);
diff --git a/resources/lang/fi/auth.php b/resources/lang/fi/auth.php
new file mode 100644
index 000000000000..d284f1552c54
--- /dev/null
+++ b/resources/lang/fi/auth.php
@@ -0,0 +1,19 @@
+ 'Kirjautuminen epäonnistui.',
+ 'throttle' => 'Liian monta kirjautumisyritystä. Yritä uudelleen :seconds sekunnin kuluttua.',
+
+];
diff --git a/resources/lang/fi/pagination.php b/resources/lang/fi/pagination.php
new file mode 100644
index 000000000000..b0776abb93b8
--- /dev/null
+++ b/resources/lang/fi/pagination.php
@@ -0,0 +1,19 @@
+ '« Edellinen',
+ 'next' => 'Seuraava »',
+
+];
diff --git a/resources/lang/fi/passwords.php b/resources/lang/fi/passwords.php
new file mode 100644
index 000000000000..88aead4595ae
--- /dev/null
+++ b/resources/lang/fi/passwords.php
@@ -0,0 +1,22 @@
+ 'Salasanan on oltava vähintään kuusi merkkiä pitkä ja vastattava vahvistuskentän arvoa.',
+ 'reset' => 'Salasana on resetoitu!',
+ 'sent' => 'Resetointilinkki lähetetty sähköpostitse!',
+ 'token' => 'Resetointitunniste on viallinen.',
+ 'user' => 'Sähköpostiosoitteella ei löydy käyttäjää.',
+
+];
diff --git a/resources/lang/fi/texts.php b/resources/lang/fi/texts.php
new file mode 100644
index 000000000000..1e71bfcc87a6
--- /dev/null
+++ b/resources/lang/fi/texts.php
@@ -0,0 +1,2874 @@
+ 'Yritys',
+ 'name' => 'Nimi',
+ 'website' => 'Kotisivu',
+ 'work_phone' => 'Puhelin',
+ 'address' => 'Osoite',
+ 'address1' => 'Katu',
+ 'address2' => 'Asunto',
+ 'city' => 'Kaupunki',
+ 'state' => 'Lääni',
+ 'postal_code' => 'Postinumero',
+ 'country_id' => 'Maa',
+ 'contacts' => 'Yhteystiedot',
+ 'first_name' => 'Etunimi',
+ 'last_name' => 'Sukunimi',
+ 'phone' => 'Puhelin',
+ 'email' => 'Sähköposti',
+ 'additional_info' => 'Lisäätietoa',
+ 'payment_terms' => 'Maksu ehdot',
+ 'currency_id' => 'Valuutta',
+ 'size_id' => 'Yrityksen koko',
+ 'industry_id' => 'Ala',
+ 'private_notes' => 'Yksityset muistiinpanot',
+ 'invoice' => 'Lasku',
+ 'client' => 'Asiakas',
+ 'invoice_date' => 'Päivämäärä',
+ 'due_date' => 'Eräpäivä',
+ 'invoice_number' => 'Laskun numero',
+ 'invoice_number_short' => 'Laskun nro',
+ 'po_number' => 'Hankinta tilaus numero',
+ 'po_number_short' => 'Hankinta tilaus nro',
+ 'frequency_id' => 'Kuinka usein',
+ 'discount' => 'Alennus',
+ 'taxes' => 'Verot',
+ 'tax' => 'Vero',
+ 'item' => 'Tuote',
+ 'description' => 'Selite',
+ 'unit_cost' => 'Kappale hinta',
+ 'quantity' => 'Määrä',
+ 'line_total' => 'Rivin summa',
+ 'subtotal' => 'Välisumma',
+ 'paid_to_date' => 'Maksettu tähän mennessä',
+ 'balance_due' => 'Avoin lasku',
+ 'invoice_design_id' => 'Muotoilu',
+ 'terms' => 'Ehdot',
+ 'your_invoice' => 'Laskunne',
+ 'remove_contact' => 'Poista yhteystieto',
+ 'add_contact' => 'Lisää yhteystieto',
+ 'create_new_client' => 'Lisää uusi asiakas',
+ 'edit_client_details' => 'Muokkaa asiakkaan tiedot',
+ 'enable' => 'Päällä',
+ 'learn_more' => 'Lue lisää',
+ 'manage_rates' => 'Hallitse hintoja',
+ 'note_to_client' => 'Huomautus asiakkalle',
+ 'invoice_terms' => 'Laskun ehdot',
+ 'save_as_default_terms' => 'Tallenna oletus ehdot',
+ 'download_pdf' => 'Lataa PDF',
+ 'pay_now' => 'Maksa nyt',
+ 'save_invoice' => 'Tallenna lasku',
+ 'clone_invoice' => 'Clone To Invoice',
+ 'archive_invoice' => 'Arkistoi lasku',
+ 'delete_invoice' => 'Poista lasku',
+ 'email_invoice' => 'Lähetä lasku sähköpostitse',
+ 'enter_payment' => 'Kirjaa maksu',
+ 'tax_rates' => 'Vero määrä',
+ 'rate' => 'Rate',
+ 'settings' => 'Asetukset',
+ 'enable_invoice_tax' => 'Enable specifying an invoice tax',
+ 'enable_line_item_tax' => 'Enable specifying line item taxes',
+ 'dashboard' => 'Hallintapaneeli',
+ 'clients' => 'Asiakkaat',
+ 'invoices' => 'Laskut',
+ 'payments' => 'Maksut',
+ 'credits' => 'Hyvitykset',
+ 'history' => 'Historia',
+ 'search' => 'Etsi',
+ 'sign_up' => 'Rekisteröidy',
+ 'guest' => 'Vieras',
+ 'company_details' => 'Yrityksen yhteystiedot',
+ 'online_payments' => 'Online maksut',
+ 'notifications' => 'Notifications',
+ 'import_export' => 'Tuonti | Vienti',
+ 'done' => 'Valmis',
+ 'save' => 'Tallenna',
+ 'create' => 'Luo',
+ 'upload' => 'Upload',
+ 'import' => 'Tuo',
+ 'download' => 'Download',
+ 'cancel' => 'Peruuta',
+ 'close' => 'Sulje',
+ 'provide_email' => 'Ystävällisesti anna käypä sähköpostiosoite',
+ 'powered_by' => 'Moottorina',
+ 'no_items' => 'Ei tuotteita',
+ 'recurring_invoices' => 'Toistuvat laskut',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'kokonaistuloja',
+ 'billed_client' => 'Laskutettu asiakas',
+ 'billed_clients' => 'Laskutetut asiakaat',
+ 'active_client' => 'Aktiivinen asiakas',
+ 'active_clients' => 'Aktiiviset asiakkaat',
+ 'invoices_past_due' => 'Eräntyyneet laskut',
+ 'upcoming_invoices' => 'Erääntyvät laskut',
+ 'average_invoice' => 'Laskujen keskiarvo',
+ 'archive' => 'Arkisto',
+ 'delete' => 'Poista',
+ 'archive_client' => 'Arkistoi asiakas',
+ 'delete_client' => 'Poista asiakas',
+ 'archive_payment' => 'Arkistoi maksu',
+ 'delete_payment' => 'Poista maksu',
+ 'archive_credit' => 'Arkistoi hyvityslasku',
+ 'delete_credit' => 'Poista hyvityslasku',
+ 'show_archived_deleted' => 'Näytä arkistoidut / poistetut',
+ 'filter' => 'Suodata',
+ 'new_client' => 'Uusi asiakas',
+ 'new_invoice' => 'Uusi lasku',
+ 'new_payment' => 'Syötä maksu',
+ 'new_credit' => 'Syötä hyvitys',
+ 'contact' => 'Yhteyshenkilö',
+ 'date_created' => 'Luotu',
+ 'last_login' => 'Viimeinen kirjautuminen',
+ 'balance' => 'Saldo',
+ 'action' => 'Toiminto',
+ 'status' => 'Tila',
+ 'invoice_total' => 'Maksettava',
+ 'frequency' => 'Kuinka usein',
+ 'start_date' => 'Alkamispäiväämäärä',
+ 'end_date' => 'Loppupäivämäärä',
+ 'transaction_reference' => 'Tapahtumaan viite',
+ 'method' => 'Tapaa',
+ 'payment_amount' => 'Maksun määrä',
+ 'payment_date' => 'Maksun päivämäärä',
+ 'credit_amount' => 'Hyvityksen määrä',
+ 'credit_balance' => 'Hyvityksen saldo',
+ 'credit_date' => 'Hyvityksen päivämäärä',
+ 'empty_table' => 'Ei näytettävä data',
+ 'select' => 'Valitse',
+ 'edit_client' => 'Muokkaa asiakas',
+ 'edit_invoice' => 'Muokkaa laskua',
+ 'create_invoice' => 'Luo lasku',
+ 'enter_credit' => 'Kirjaa hyvitystä',
+ 'last_logged_in' => 'Viimeksi kirjoittautunut',
+ 'details' => 'Yksityiskohdat',
+ 'standing' => 'Tilanne',
+ 'credit' => 'Luotto',
+ 'activity' => 'Toiminto',
+ 'date' => 'Päivämäärä',
+ 'message' => 'Viesti',
+ 'adjustment' => 'Säätö',
+ 'are_you_sure' => 'Oletko varmaa?',
+ 'payment_type_id' => 'Maksun laji',
+ 'amount' => 'määrä',
+ 'work_email' => 'Sähköposti',
+ 'language_id' => 'Kieli',
+ 'timezone_id' => 'Aikavyöhyke',
+ 'date_format_id' => 'Päivämäärän muoto',
+ 'datetime_format_id' => 'Päivä- / Aikamuoto',
+ 'users' => 'Käyttäjät',
+ 'localization' => 'Paikallistaa',
+ 'remove_logo' => 'Poista Logo',
+ 'logo_help' => 'Tuetut: JPEG, GIF ja PNG',
+ 'payment_gateway' => 'Maksuterminaali',
+ 'gateway_id' => 'Terminaali',
+ 'email_notifications' => 'Sähköposti ilmoitukset',
+ 'email_sent' => 'Lähetä minulle sähköposti, kun lasku on lähetetty',
+ 'email_viewed' => 'Lähetä minulle sähköposti, kun lasku on nähty',
+ 'email_paid' => 'Lähetä minulle sähköposti, kun lasku on maksettu',
+ 'site_updates' => 'Sivun päivitys',
+ 'custom_messages' => 'Mukautetut viestit',
+ 'default_email_footer' => 'Aseta vakiomuotoinen sähköpostiallekirjoitus',
+ 'select_file' => 'ystävällisesti valitsee tiedosto',
+ 'first_row_headers' => 'Käytä ensimmäinen rivi ylätunnisteena',
+ 'column' => 'Sarake',
+ 'sample' => 'Otos',
+ 'import_to' => 'Tuo tähän',
+ 'client_will_create' => 'Asiakas luodaan',
+ 'clients_will_create' => 'Asiakkaita luodaan',
+ 'email_settings' => 'Sähköpostin asetukset',
+ 'client_view_styling' => 'Muokkaa asiakkaan näky',
+ 'pdf_email_attachment' => 'Attach PDF',
+ 'custom_css' => 'Mukautettu CSS',
+ 'import_clients' => 'Tuo asiakkaan tiedot',
+ 'csv_file' => 'CSV tiedosto',
+ 'export_clients' => 'Vie asiakkaan tiedot ',
+ 'created_client' => 'Luotin onnistuneesti asiakas',
+ 'created_clients' => ':count asiakas(ta) luotu onnistuneesti',
+ 'updated_settings' => 'Asetukset ovat päivittyneet onnistuneesti',
+ 'removed_logo' => 'Logo on poistettu onnistuneesti ',
+ 'sent_message' => 'Viesti on onnistuneesti lähetetty',
+ 'invoice_error' => 'Ystävällisesti varmistakaa että asiakasta on valittu ja korjaatkaa kaikki virheet',
+ 'limit_clients' => 'Pahoittelut, tämä ylittää :count asiakkaan rajan',
+ 'payment_error' => 'Maksukäsittelyssä ilmeni ongelma. Yrittäkää myöhemmin uudelleen.',
+ 'registration_required' => 'Rekisteröidy lähettääksesi laskun',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Asiakas on päivitetty onnistuneesti',
+ 'created_client' => 'Luotin onnistuneesti asiakas',
+ 'archived_client' => 'Asiakas on arkistoitu onnistuneesti',
+ 'archived_clients' => ':count asiakas(ta) arkistoitu onnistuneesti',
+ 'deleted_client' => 'Asiakas on poistettu onnistuneesti',
+ 'deleted_clients' => ':count asiakas(ta) poistettu onnistuneesti',
+ 'updated_invoice' => 'Lasku päivitettiin onnistuneesti',
+ 'created_invoice' => 'Lasku luotiin onnistuneesti ',
+ 'cloned_invoice' => 'Lasku kopioitiin onnistuneesti',
+ 'emailed_invoice' => 'Lasku lähetettiin onnistuneesti',
+ 'and_created_client' => 'ja luotu asiakas',
+ 'archived_invoice' => 'Lasku arkistoitiin onnistuneesti',
+ 'archived_invoices' => ':count asiakas(ta) arkistoitu onnistuneesti',
+ 'deleted_invoice' => 'Lasku poistettiin onnistuneesti',
+ 'deleted_invoices' => ':count laskua poistettiin onnistuneesti
+:count lasku poistettiin (if only one)
+Lasku poistettiin (if only one, alternative)',
+ 'created_payment' => 'Maksu on luotu onnistuneesti',
+ 'created_payments' => ':count maksu(a) luotu onnistuneesti',
+ 'archived_payment' => 'Maksu on arkistoitu onnistuneesti',
+ 'archived_payments' => ':count maksu(a) arkistoitu onnistuneesti',
+ 'deleted_payment' => 'Maksu on poistettu onnistuneesti',
+ 'deleted_payments' => ':count maksu(a) poistettu onnistuneesti',
+ 'applied_payment' => 'Maksu on sovitettu onnistuneesti. ',
+ 'created_credit' => 'Hyvitys on luotu onnistuneesti',
+ 'archived_credit' => 'Hyvitys on arkistoitu onnistuneesti',
+ 'archived_credits' => ':count hyvitys(tä) arkistoitu onnistuneesti',
+ 'deleted_credit' => 'Hyvitys on poistettu onnistuneesti',
+ 'deleted_credits' => ':count hyvitys(tä) poistettu onnistuneesti',
+ 'imported_file' => 'Tiedosto on tuotu onnistuneesti',
+ 'updated_vendor' => 'Tavarantoimittaja on päivitetty onnistuneesti',
+ 'created_vendor' => 'Luotin onnistuneesti tavarantoimittaja',
+ 'archived_vendor' => 'Tavarantoimittaja on arkistoitu onnistuneesti',
+ 'archived_vendors' => ':count toimittaja(a) arkistoitu onnistuneesti',
+ 'deleted_vendor' => 'Tavarantoimittaja on poistettu onnistuneesti',
+ 'deleted_vendors' => ':count toimittajaa poistettu onnistuneesti',
+ 'confirmation_subject' => 'Invoice Ninja -tilin vahvistus',
+ 'confirmation_header' => 'Tilin varmistus',
+ 'confirmation_message' => 'Ystävällisesti seuratkaa alla oleva linkkiä varmistaaksesi tilisi. ',
+ 'invoice_subject' => 'New invoice :number from :account',
+ 'invoice_message' => 'Nähdäksesi laskun summalle :amount, paina alla olevaa linkkiä.',
+ 'payment_subject' => 'Maksu vastaanotettu',
+ 'payment_message' => 'Kiitos :amount maksustasi.',
+ 'email_salutation' => 'Hyvä :name,',
+ 'email_signature' => 'Ystävällisesti,',
+ 'email_from' => 'Invoive Ninja -tiimi',
+ 'invoice_link_message' => 'Nähdäksesi laskun paina alla olevaa linkkiä: ',
+ 'notification_invoice_paid_subject' => ':client maksoi laskun :invoice',
+ 'notification_invoice_sent_subject' => 'Lasku :invoice lähetetty asiakkaalle :client',
+ 'notification_invoice_viewed_subject' => ':client luki laskun :invoice',
+ 'notification_invoice_paid' => 'Asiakas :client maksoi :amount laskusta :invoice.',
+ 'notification_invoice_sent' => 'Asiakkaalle :client lähetettiin lasku :invoice summalla :amount.',
+ 'notification_invoice_viewed' => 'Asiakas :client avasi laskun :invoice summalla :amount.',
+ 'reset_password' => 'Voit palauttaa tilisi salasana klikkaamalla nappia',
+ 'secure_payment' => 'Turvallinen maksu',
+ 'card_number' => 'Kortin numero',
+ 'expiration_month' => 'Voimassaolo kuukausi',
+ 'expiration_year' => 'Voimassaolo vuosi',
+ 'cvv' => 'CVV',
+ 'logout' => 'Kirjaudu ulos',
+ 'sign_up_to_save' => 'Rekisteröidy tallentaaksesi työsi',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Käyttöehdot',
+ 'email_taken' => 'Sähköpostiosoite on jo rekisteröity',
+ 'working' => 'Mietti',
+ 'success' => 'Onnistui',
+ 'success_message' => 'Olet rekisteröity onnistuneesti! Seuraa sähköpostin tullutta linkkiä varmistaaksesi sähköpostiosoitettasi. ',
+ 'erase_data' => 'Tiliäsi ei ole rekisteröity, tämä poistaa tietosi pysyvästi.',
+ 'password' => 'Salasana',
+ 'pro_plan_product' => 'Pro tili',
+ 'pro_plan_success' => 'Thanks for choosing Invoice Ninja\'s Pro plan!
+ Next StepsA 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',
+ 'unsaved_changes' => 'Sinulla on tallentamattomat muutoksia ',
+ 'custom_fields' => 'Mukautetut kentät',
+ 'company_fields' => 'Yritys kentät',
+ 'client_fields' => 'Asiakas kentät',
+ 'field_label' => 'Kentän nimike',
+ 'field_value' => 'Kentän arvo',
+ 'edit' => 'Muokkaa',
+ 'set_name' => 'Anna yrityksesi nimi',
+ 'view_as_recipient' => 'Näe vastaanottajan näkökulmasta',
+ 'product_library' => 'Tuoteluettelo',
+ 'product' => 'Tuote',
+ 'products' => 'Tuotteet',
+ 'fill_products' => 'Lisää automaattisesti tuotteita',
+ 'fill_products_help' => 'Tuotteen valinta täyttää kuvauksen ja hinnan automaattisesti',
+ 'update_products' => 'Päivitä automaattisesti tuotteet',
+ 'update_products_help' => 'Laskun päivittäminen päivittää tuotetietokannan automaattisesti',
+ 'create_product' => 'Lisää tuote',
+ 'edit_product' => 'Muokkaa tuote',
+ 'archive_product' => 'Arkistoi tuote',
+ 'updated_product' => 'Tuote on päivitetty onnistuneesti',
+ 'created_product' => 'Tuote on luotu onnistuneesti',
+ 'archived_product' => 'Tuote on arkistoitu onnistuneesti',
+ 'pro_plan_custom_fields' => ':link ottaaksesi käyttöön räätälöidyt kentät liittymällä Pro-tasoon',
+ 'advanced_settings' => 'Lisääasetuksia',
+ 'pro_plan_advanced_settings' => ':link ottaaksesi käyttöön Pro-tason lisäasetukset',
+ 'invoice_design' => 'Laskun muotoilu',
+ 'specify_colors' => 'Tarkenna värit',
+ 'specify_colors_label' => 'Valitsee laskussa käytettävät värit',
+ 'chart_builder' => 'Kaavion rakentaminen',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Ala PRO:ksi',
+ 'quote' => 'Tarjous',
+ 'quotes' => 'Tarjousta',
+ 'quote_number' => 'Tarjous numero',
+ 'quote_number_short' => 'Tarjous nro',
+ 'quote_date' => 'Tarjouksen päivämäärä',
+ 'quote_total' => 'Tarjouksen loppusumma',
+ 'your_quote' => 'Tarjouksenne',
+ 'total' => 'Loppusumma',
+ 'clone' => 'Kopioi',
+ 'new_quote' => 'Uusi tarjous',
+ 'create_quote' => 'Luo tarjous',
+ 'edit_quote' => 'Muokkaa tarjous',
+ 'archive_quote' => 'Arkistoi tarjous',
+ 'delete_quote' => 'Poista tarjous',
+ 'save_quote' => 'Tallenna tarjous',
+ 'email_quote' => 'Lähetä tarjous',
+ 'clone_quote' => 'Clone To Quote',
+ 'convert_to_invoice' => 'Muuta laskuksi',
+ 'view_invoice' => 'Katso lasku',
+ 'view_client' => 'Katso asiakasta',
+ 'view_quote' => 'Katso tarjousta',
+ 'updated_quote' => 'Tarjousta on päivitetty onnistuneesti',
+ 'created_quote' => 'Tarjous on päivitetty onnistuneesti',
+ 'cloned_quote' => 'Tarjous on kopioitu onnistuneesti',
+ 'emailed_quote' => 'Tarjous on lähetetty onnistuneesti',
+ 'archived_quote' => 'Tarjous on arkistoitu onnistuneesti',
+ 'archived_quotes' => ':count tarjous(ta) arkistoitu onnistuneesti',
+ 'deleted_quote' => 'Tarjous on poistettu onnistuneesti',
+ 'deleted_quotes' => ':count tarjous(ta) poistettu onnistuneesti',
+ 'converted_to_invoice' => 'Tarjous muutettiin onnistuneesti laskuksi',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'Nähdäksesi tarjouksen summalla :amount, paina alla olevaa linkkiä.',
+ 'quote_link_message' => 'Paina linkkiä alla nähdäksesi asiakastarjouksen:',
+ 'notification_quote_sent_subject' => 'Tarjous :invoice on lähetetty asiakkaalle :client',
+ 'notification_quote_viewed_subject' => ':client luki tarjouksen :invoice ',
+ 'notification_quote_sent' => 'Asiakkaalle :client lähetettiin tarjous :invoice summalla :amount.',
+ 'notification_quote_viewed' => 'Asiakas :client avasi tarjouksen :invoice summalla :amount.',
+ 'session_expired' => 'Istuntoosi on vanhentunut',
+ 'invoice_fields' => 'Laskun kentät',
+ 'invoice_options' => 'Laskun valinnat',
+ 'hide_paid_to_date' => 'Piilota "Maksettu tähän asti"',
+ 'hide_paid_to_date_help' => 'Näytä "Maksettava päivämäärään mennessä" kenttä laskuillasi vain maksetuilla laskuilla.',
+ 'charge_taxes' => 'Veloita veroa',
+ 'user_management' => 'Käyttäjänhallinta',
+ 'add_user' => 'Lisää käyttäjä',
+ 'send_invite' => 'Lähetä kutsu',
+ 'sent_invite' => 'Kutsu on onnistuneesti lähetetty',
+ 'updated_user' => 'Käyttäjä on päivitetty onnistuneesti',
+ 'invitation_message' => 'Olet saanut kutsun käyttäjältä :invitor.',
+ 'register_to_add_user' => 'Rekisteröidy lisäätäksesi Käyttäjä',
+ 'user_state' => 'Tila',
+ 'edit_user' => 'Muokkaa käyttäjä',
+ 'delete_user' => 'Poista Käyttäjä',
+ 'active' => 'Aktiivinen',
+ 'pending' => 'Odottaa vastausta',
+ 'deleted_user' => 'Käyttäjä on poistettu onnistuneesti',
+ 'confirm_email_invoice' => 'Haluatko varmasti lähettää tämän laskun?',
+ 'confirm_email_quote' => 'Haluatko varmasti lähettää tämä tarjous',
+ 'confirm_recurring_email_invoice' => 'Oletko varmaa että haluat lähettää tämän laskun?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Poista tili',
+ 'cancel_account_message' => 'Varoitus: Tämä poistaa tilisi pysyvästi. Tietoja ei pysty palauttamaan.',
+ 'go_back' => 'Palaa takaisin',
+ 'data_visualizations' => 'Datan visualisaatiot',
+ 'sample_data' => 'Näytetään esimerkkitietoja',
+ 'hide' => 'Piilota',
+ 'new_version_available' => 'Uusi versio ohjelmistosta :releases_link saatavilla. Tämänhetkinen versio on v:user_version, uusin versio on v:latest_version',
+ 'invoice_settings' => 'Laskun asetukset',
+ 'invoice_number_prefix' => 'Laskunumeron etuliite',
+ 'invoice_number_counter' => 'Laskun järjestysnumero',
+ 'quote_number_prefix' => 'Tarjousnumeron etuliite',
+ 'quote_number_counter' => 'Tarjouksen järjestysnumero',
+ 'share_invoice_counter' => 'Jaa järjestysnumero laskun kanssa',
+ 'invoice_issued_to' => 'Laskutettu asiakas',
+ 'invalid_counter' => 'Estääksesi mahdolliset konfliktit, aseta laskulle tai tarjoukselle etuliite',
+ 'mark_sent' => 'Merkitse lähetetyksi',
+ 'gateway_help_1' => ':link rekisteröityäksesi palveluun Authorize.net.',
+ 'gateway_help_2' => ':link rekisteröityäksesi palveluun Authorize.net.',
+ 'gateway_help_17' => ':link saadaksesi PayPal API tilin.',
+ 'gateway_help_27' => ':link rekisteröityäksesi palveluun 2Checkout.com. Varmistaaksesi laskujen seurannan aseta uudelleenohjausosoitteeksi :complete_link kohdassa Tili > Sivustoasetukset 2Checkout portaalissa.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'Lisää muotoiluja',
+ 'more_designs_title' => 'Lisää laskumuotoiluja',
+ 'more_designs_cloud_header' => 'Tilaa Pro saadaksesi lisää muotoiluja',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Osta',
+ 'bought_designs' => 'Laskumuotoilut lisätty onnistuneesti',
+ 'sent' => 'Sent',
+ 'vat_number' => 'ALV-numero',
+ 'timesheets' => 'Työaikalistaukset',
+ 'payment_title' => 'Syötä laskutusosoitteesi ja luottokorttitietosi',
+ 'payment_cvv' => '*Tämä on 3-4-numeroinen tarkistuskoodi korttisi kääntöpuolella',
+ 'payment_footer1' => '*Laskutusosoitteen täytyy täsmätä luottokortin osoitteen kanssa',
+ 'payment_footer2' => '*Paina "MAKSA NYT" -linkkiä vain kerran - maksutapahtuman käsittelyyn voi mennä jopa 1 minuutti.',
+ 'id_number' => 'ID-numero',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'White label -lisenssi otettu käyttöön onnistuneesti',
+ 'white_labeled' => 'White label käytössä',
+ 'restore' => 'Palauta',
+ 'restore_invoice' => 'Palauta lasku',
+ 'restore_quote' => 'Palauta tarjous',
+ 'restore_client' => 'Palauta asiakas',
+ 'restore_credit' => 'Palauta hyvitys',
+ 'restore_payment' => 'Palauta maksu',
+ 'restored_invoice' => 'Lasku palautettu onnistuneesti',
+ 'restored_quote' => 'Tarjous palautettu onnistuneesti',
+ 'restored_client' => 'Asiakas palautettu onnistuneesti',
+ 'restored_payment' => 'Maksu palautettu onnistuneesti',
+ 'restored_credit' => 'Hyvitys palautettu onnistuneesti',
+ 'reason_for_canceling' => 'Auta meitä parantamaan sivustoamme kertomalla miksi olet lähdössä.',
+ 'discount_percent' => 'Prosenttia',
+ 'discount_amount' => 'Summa',
+ 'invoice_history' => 'Laskuhistoria',
+ 'quote_history' => 'Tarjoushistoria',
+ 'current_version' => 'Nykyinen versio',
+ 'select_version' => 'Valitse versio',
+ 'view_history' => 'Näytä historia',
+ 'edit_payment' => 'Muokkaa maksua',
+ 'updated_payment' => 'Maksu päivitetty onnistuneesti',
+ 'deleted' => 'Poistett',
+ 'restore_user' => 'Palauta käyttäjä',
+ 'restored_user' => 'Käyttäjä palautettu onnistuneesti',
+ 'show_deleted_users' => 'Näytä poistetut käyttäjät',
+ 'email_templates' => 'Sähköpostipohjat',
+ 'invoice_email' => 'Laskusähköposti',
+ 'payment_email' => 'Maksusähköposti',
+ 'quote_email' => 'Tarjoussähköposti',
+ 'reset_all' => 'Nollaa kaikki',
+ 'approve' => 'Hyväksy',
+ 'token_billing_type_id' => 'Token Billing',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Pois käytöstä',
+ 'token_billing_2' => 'Opt-in - valinta näytetään mutta on vakiona valitsematta',
+ 'token_billing_3' => 'Opt-out - valinta näytetään ja on vakiona valittu',
+ 'token_billing_4' => 'Aina',
+ 'token_billing_checkbox' => 'Kaupan luottokorttitiedot',
+ 'view_in_gateway' => 'Näytä palvelussa :gateway',
+ 'use_card_on_file' => 'Käytä tallennettuja korttitietoja',
+ 'edit_payment_details' => 'Muokkaa maksutapoja',
+ 'token_billing' => 'Tallenna korttitiedot',
+ 'token_billing_secure' => 'Tiedot on tallennettu turvallisesti palvelussa :link',
+ 'support' => 'Asiakaspalvelu',
+ 'contact_information' => 'Yhteystiedot',
+ '256_encryption' => '256-bittinen salaus',
+ 'amount_due' => 'Maksettava',
+ 'billing_address' => 'Laskutusosoitus',
+ 'billing_method' => 'Laskutustapa',
+ 'order_overview' => 'Tilaustiedot',
+ 'match_address' => '*Osoitteen on täsmättävä luottokorttitietojen kanssa',
+ 'click_once' => '*Paina "MAKSA NYT" -linkkiä vain kerran - maksutapahtuman käsittelyyn voi mennä jopa 1 minuutti.',
+ 'invoice_footer' => 'Laskun alatunniste',
+ 'save_as_default_footer' => 'Tallenna vakioalatunnisteeksi',
+ 'token_management' => 'Token Management',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Add Token',
+ 'show_deleted_tokens' => 'Show deleted tokens',
+ 'deleted_token' => 'Successfully deleted token',
+ 'created_token' => 'Successfully created token',
+ 'updated_token' => 'Successfully updated token',
+ 'edit_token' => 'Edit Token',
+ 'delete_token' => 'Delete Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Add Gateway',
+ 'delete_gateway' => 'Delete Gateway',
+ 'edit_gateway' => 'Edit Gateway',
+ 'updated_gateway' => 'Successfully updated gateway',
+ 'created_gateway' => 'Successfully created gateway',
+ 'deleted_gateway' => 'Successfully deleted gateway',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Luottokortti',
+ 'change_password' => 'Muuta salasana',
+ 'current_password' => 'Nykyinen salasana',
+ 'new_password' => 'Uusi salasana',
+ 'confirm_password' => 'Vahvista salasana',
+ 'password_error_incorrect' => 'Nykyinen salasana on väärin',
+ 'password_error_invalid' => 'Uusi salasana ei kelpaa',
+ 'updated_password' => 'Salasana muutettu onnistuneesti',
+ 'api_tokens' => 'API-salasanat',
+ 'users_and_tokens' => 'Käyttäjät ja salasanat',
+ 'account_login' => 'Tiliin kirjautuminen',
+ 'recover_password' => 'Palauta salasana',
+ 'forgot_password' => 'Unohditko salasanasi?',
+ 'email_address' => 'Sähköpostiosoite',
+ 'lets_go' => 'Mennään',
+ 'password_recovery' => 'Salasanan palautus',
+ 'send_email' => 'Lähetä sähköposti',
+ 'set_password' => 'Aseta salasana',
+ 'converted' => 'Muunnettu',
+ 'email_approved' => 'Lähetä minulle sähköpostia kun tarjous on hyväksytty',
+ 'notification_quote_approved_subject' => ':client hyväksyi tarjouksen :invoice',
+ 'notification_quote_approved' => 'Asiakas :client avasi tarjouksen :invoice summalla :amount.',
+ 'resend_confirmation' => 'Lähetä vahvistussähköposti uudelleen',
+ 'confirmation_resent' => 'Vahvistussähköposti lähetetty',
+ 'gateway_help_42' => ':link rekisteröityäksesi palveluun BitPay.
Huom: Käytä Legacy API Key -merkkijonoa, älä API tokenia.',
+ 'payment_type_credit_card' => 'Luottokortti',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Tietopankki',
+ 'partial' => 'Osittainen/Talletus',
+ 'partial_remaining' => ':partial summasta :balance',
+ 'more_fields' => 'Lisää kenttiä',
+ 'less_fields' => 'Vähemmän kenttiä',
+ 'client_name' => 'Client Name',
+ 'pdf_settings' => 'PDF-asetukset',
+ 'product_settings' => 'Tuoteasetukset',
+ 'auto_wrap' => 'Automaattinen rivinvaihto',
+ 'duplicate_post' => 'Varoitus: Edellinen sivu tallennettiin kahdesti. Jälkimmäinen tallennus jätettiin huomiotta.',
+ 'view_documentation' => 'Lue dokumentaatiota',
+ 'app_title' => 'Ilmainen vapaan lähdekoodin online-laskutus',
+ 'app_description' => 'Invoice Ninja on ilmainen, avoimen lähdekoodin ratkaisu asiakkaiden laskutukseen. Invoice Ninjalla voit helposti luoda ja lähettää kauniita laskuja mistä tahansa laitteesta, jolla on internet-yhteys. Asiakkaasi voivat tulostaa laskuja, ladata ne pdf-muodossa ja jopa maksaa ne verkossa järjestemmämme avulla.',
+ 'rows' => 'rivit',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Alidomain',
+ 'provide_name_or_email' => 'Ole hyvä ja syötä nimi tai sählöposti',
+ 'charts_and_reports' => 'Kaaviot ja raportit',
+ 'chart' => 'Kaavio',
+ 'report' => 'Raportti',
+ 'group_by' => 'Niputa',
+ 'paid' => 'Maksettu',
+ 'enable_report' => 'Raportti',
+ 'enable_chart' => 'Kaavio',
+ 'totals' => 'Yhteensä',
+ 'run' => 'Aja',
+ 'export' => 'Vienti',
+ 'documentation' => 'Dokumentaatio',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Toistuvat',
+ 'last_invoice_sent' => 'Viimeisin lasku lähetettiin :date',
+ 'processed_updates' => 'Päivitetty onnistuneesti',
+ 'tasks' => 'Tehtävät',
+ 'new_task' => 'Uusi tehtävä',
+ 'start_time' => 'Aloitusaika',
+ 'created_task' => 'Tehtävä luotu onnistuneesti',
+ 'updated_task' => 'Tehtävä päivitetty onnistuneesti',
+ 'edit_task' => 'Muokkaa tehtävä',
+ 'archive_task' => 'Arkistoi tehtävä',
+ 'restore_task' => 'Palauta tehtävä',
+ 'delete_task' => 'Poista tehtävä',
+ 'stop_task' => 'Poista tehtävä',
+ 'time' => 'Aika',
+ 'start' => 'Aloitus',
+ 'stop' => 'Lopetus',
+ 'now' => 'Nyt',
+ 'timer' => 'Ajastin',
+ 'manual' => 'Manuaalinen',
+ 'date_and_time' => 'Päivä & Aika',
+ 'second' => 'Second',
+ 'seconds' => 'Seconds',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minutes',
+ 'hour' => 'Hour',
+ 'hours' => 'Hours',
+ 'task_details' => 'Tehtävän yksityiskohdat',
+ 'duration' => 'Kesto',
+ 'end_time' => 'Lopetusaika',
+ 'end' => 'Loppu',
+ 'invoiced' => 'Laskutettu',
+ 'logged' => 'Kirjattu',
+ 'running' => 'Käynnissä',
+ 'task_error_multiple_clients' => 'Tehtävät eivät voi kuulua eri asiakkaille',
+ 'task_error_running' => 'Ole hyvä ja lopeta tehtävä ensin',
+ 'task_error_invoiced' => 'Tehtävät on jo laskutettu',
+ 'restored_task' => 'Tehtävä palautettu onnistuneesti',
+ 'archived_task' => 'Tehtävä arkistoitu onnistuneesti',
+ 'archived_tasks' => ':count tehtävää arkistoitu onnistuneesti',
+ 'deleted_task' => 'Tehtävä poistettu onnistuneesti',
+ 'deleted_tasks' => ':count tehtävää poistettu onnistuneesti',
+ 'create_task' => 'Luo tehtävä',
+ 'stopped_task' => 'Tehtävä lopetettu onnistuneesti',
+ 'invoice_task' => 'Laskuta tehtävä',
+ 'invoice_labels' => 'Laskun kentät',
+ 'prefix' => 'Etuliite',
+ 'counter' => 'Laskuri',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link rekisteröityäksesi palveluun Dwolla',
+ 'partial_value' => 'Täytyy olla suurempi kuin nolla ja vähemmän kuin kaikki yhteensä',
+ 'more_actions' => 'Lisää toimintoja',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Upgrade Now!',
+ 'pro_plan_feature1' => 'Luo rajattomasti asiakkaita',
+ 'pro_plan_feature2' => 'Käytä 10 kaunista laskupohjaa',
+ 'pro_plan_feature3' => 'Mukautetut osoitteet - "yrityksesi.invoiceninja.com"',
+ 'pro_plan_feature4' => 'Poista "Tehty Invoice Ninjalla"',
+ 'pro_plan_feature5' => 'Multi-user Access & Activity Tracking',
+ 'pro_plan_feature6' => 'Create Quotes & Pro-forma Invoices',
+ 'pro_plan_feature7' => 'Customize Invoice Field Titles & Numbering',
+ 'pro_plan_feature8' => 'Option to Attach PDFs to Client Emails',
+ 'resume' => 'Jatka',
+ 'break_duration' => 'Tauk',
+ 'edit_details' => 'Muokkaa tietoja',
+ 'work' => 'Työ',
+ 'timezone_unset' => 'Ole hyvä ja :link asettaaksesi aikavyöhykkeen',
+ 'click_here' => 'klikkaa tästä',
+ 'email_receipt' => 'Lähetä maksukuitti sähköpostilla asiakkaalle',
+ 'created_payment_emailed_client' => 'Maksu luotu ja lähetetty asiakkaalle onnistuneesti ',
+ 'add_company' => 'Lisää yritys',
+ 'untitled' => 'Nimetön',
+ 'new_company' => 'Uusi yritys',
+ 'associated_accounts' => 'Tilit onnistuneesti linkitetty',
+ 'unlinked_account' => 'Tilien linkitys poistettu onnistuneesti',
+ 'login' => 'Kirjaudu sisään',
+ 'or' => 'tai',
+ 'email_error' => 'Ongelma sähköpostin lähetyksessä',
+ 'confirm_recurring_timing' => 'Huom: sähköpostit lähetetään tasatunnein',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Asettaa eräpäivän vakioasetuksen',
+ 'unlink_account' => 'Poista tilin linkitys',
+ 'unlink' => 'Poista linkitys',
+ 'show_address' => 'Näytä osoite',
+ 'show_address_help' => 'Vaadi asiakasta täyttämään laskutusosoite',
+ 'update_address' => 'Päivitä osoite',
+ 'update_address_help' => 'Päivitä asiakkaan osoite annetuilla tiedoilla',
+ 'times' => 'Ajat',
+ 'set_now' => 'Aseta nykyhetkeen',
+ 'dark_mode' => 'Tumma tila',
+ 'dark_mode_help' => 'Use a dark background for the sidebars',
+ 'add_to_invoice' => 'Lisää laskulle :invoice',
+ 'create_new_invoice' => 'Luo uusi lasku',
+ 'task_errors' => 'Ole hyvä ja korjaa päällekäiset ajat',
+ 'from' => 'Lähettäjä',
+ 'to' => 'Vastaanottaja',
+ 'font_size' => 'Fontin koko',
+ 'primary_color' => 'Pääväri',
+ 'secondary_color' => 'Apuväri',
+ 'customize_design' => 'Mukauta muotoilua',
+ 'content' => 'Sisältö',
+ 'styles' => 'Tyylit',
+ 'defaults' => 'Vakiot',
+ 'margins' => 'Marginaalit',
+ 'header' => 'Ylätunniste',
+ 'footer' => 'Alatunniste',
+ 'custom' => 'Mukautettu',
+ 'invoice_to' => 'Laskutettava',
+ 'invoice_no' => 'Laskun numero',
+ 'quote_no' => 'Tarjouksen numero',
+ 'recent_payments' => 'Viimeisimmät maksut',
+ 'outstanding' => 'Maksamattomat laskut',
+ 'manage_companies' => 'Hallitse yrityksiä',
+ 'total_revenue' => 'Kokonaistulot',
+ 'current_user' => 'Nykyinen käyttäjä',
+ 'new_recurring_invoice' => 'Uusi toistuva lasku',
+ 'recurring_invoice' => 'Toistuva lasku',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'On liian aikaista luoda uutta toistuvaa laskua. Se on ajastettu päivään :date',
+ 'created_by_invoice' => 'Luotu laskulla :invoice',
+ 'primary_user' => 'Pääasiallinen käyttäjä',
+ 'help' => 'Ohje',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Eräpäivä',
+ 'quote_due_date' => 'Voimassa',
+ 'valid_until' => 'Voimassa',
+ 'reset_terms' => 'Nollaa ehdot',
+ 'reset_footer' => 'Nollaa alatunniste',
+ 'invoice_sent' => ':count lasku lähetetty',
+ 'invoices_sent' => ':count laskua lähetetty',
+ 'status_draft' => 'Luonnos',
+ 'status_sent' => 'Lähetetty',
+ 'status_viewed' => 'Nähty',
+ 'status_partial' => 'Osittainen',
+ 'status_paid' => 'Maksettu',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Näytä laskurivien vero rivillä',
+ 'iframe_url' => 'Verkkosivu',
+ 'iframe_url_help1' => 'Kopioi seuraava koodi sivustolle.',
+ 'iframe_url_help2' => 'Voi testata ominaisuutta painamalla \'Katso asiakkaana\' laskulla',
+ 'auto_bill' => 'Automaattinen laskutus',
+ 'military_time' => '24 tunnin aika',
+ 'last_sent' => 'Viimeksi lähetetty',
+ 'reminder_emails' => 'Muistutussähköpostit',
+ 'templates_and_reminders' => 'Pohjat ja muistutukset',
+ 'subject' => 'Otsikko',
+ 'body' => 'Sisältö',
+ 'first_reminder' => 'Ensimmäinen muistutus',
+ 'second_reminder' => 'Toinen muistutus',
+ 'third_reminder' => 'Kolmas muistutus',
+ 'num_days_reminder' => 'Päivää eräpäivän jälkeen',
+ 'reminder_subject' => 'Muistutus: Lasku :invoice yritykseltä :account',
+ 'reset' => 'Nollaa',
+ 'invoice_not_found' => 'Pyydettyä laskua ei ole saatavilla',
+ 'referral_program' => 'Referral Program',
+ 'referral_code' => 'Referral URL',
+ 'last_sent_on' => 'Viimeksi lähetetty :date',
+ 'page_expire' => 'Tämä sivu vanhenee pian, :click_here jatkaaksesi',
+ 'upcoming_quotes' => 'Tulevat tarjoukset',
+ 'expired_quotes' => 'Vanhentuneet tarjoukset',
+ 'sign_up_using' => 'Rekisteröidy käyttämällä',
+ 'invalid_credentials' => 'Kirjautumistiedot eivät täsmää tietojemme kanssa',
+ 'show_all_options' => 'Näytä kaikki asetukset',
+ 'user_details' => 'Käyttäjätiedot',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Poista käytöstä',
+ 'invoice_quote_number' => 'Lasku- ja tarjousnumerot',
+ 'invoice_charges' => 'Laskutuslisä',
+ 'notification_invoice_bounced' => 'Laskun :invoice lähetys asiakkaalle :contact epäonnistui',
+ 'notification_invoice_bounced_subject' => 'Laskun :invoice lähetys epäonnistui',
+ 'notification_quote_bounced' => 'Tarjouksen :invoice lähetys asiakkaalle :invoice epäonnistui',
+ 'notification_quote_bounced_subject' => 'Tarjouksen :invoice lähetys epäonnistui',
+ 'custom_invoice_link' => 'Mukautettu laskulinkki',
+ 'total_invoiced' => 'Laskutettu yhteensä',
+ 'open_balance' => 'Avoin saldo',
+ 'verify_email' => 'Ole hyvä ja käytä linkkiä tilin varmennussähköpostissa vahvistaaksesi sähköpostiosoitteesi.',
+ 'basic_settings' => 'Perusasetukset',
+ 'pro' => 'Pro',
+ 'gateways' => 'Maksuyhdyskäytävät',
+ 'next_send_on' => 'Lähetä seuraava: :date',
+ 'no_longer_running' => 'Tätä laskua ei ole ajastettu',
+ 'general_settings' => 'Yleiset asetukset',
+ 'customize' => 'Mukauta',
+ 'oneclick_login_help' => 'Yhdistä tili salasanattomaan sisäänkirjautumiseen',
+ 'referral_code_help' => 'Ansaitse rahaa jakamalla ohjelmaamme verkossa',
+ 'enable_with_stripe' => 'Ota käyttöön | Tarvitsee Stripen',
+ 'tax_settings' => 'Veroasetukset',
+ 'create_tax_rate' => 'Lisää veroprosentti',
+ 'updated_tax_rate' => 'Veroprosentti päivitetty onnistuneesti',
+ 'created_tax_rate' => 'Veroprosentti luotu onnistuneesti',
+ 'edit_tax_rate' => 'Muokkaa veroprosenttia',
+ 'archive_tax_rate' => 'Arkistoi veroprosentti',
+ 'archived_tax_rate' => 'Veroprosentti arkistoitu onnistuneesti',
+ 'default_tax_rate_id' => 'Vakioveroprosentti',
+ 'tax_rate' => 'Veroprosentti',
+ 'recurring_hour' => 'Toistuva tunti',
+ 'pattern' => 'Kaava',
+ 'pattern_help_title' => 'Kaavan ohje',
+ 'pattern_help_1' => 'Luo mukautettuja numeroita asettamalla kaava',
+ 'pattern_help_2' => 'Käytössä olevat muuttujat:',
+ 'pattern_help_3' => 'Esimerkiksi :example muuttuu muotoon :value',
+ 'see_options' => 'Näytä asetukset',
+ 'invoice_counter' => 'Laskun laskuri',
+ 'quote_counter' => 'Tarjouksen laskuri',
+ 'type' => 'Tyyppi',
+ 'activity_1' => ':user loi asiakkaan :client',
+ 'activity_2' => ':user arkistoi asiakkaan :client',
+ 'activity_3' => ':user poisti asiakkaan :client',
+ 'activity_4' => ':user loi laskun :invoice',
+ 'activity_5' => ':user päivitti laskun :invoice',
+ 'activity_6' => ':user lähetti laskun :invoice sähköpostilla asiakkaalle :contact',
+ 'activity_7' => ':contact näki laskun :invoice',
+ 'activity_8' => ':user arkistoi laskun :invoice',
+ 'activity_9' => ':user poisti laskun :invoice',
+ 'activity_10' => ':contact syötti maksun :payment laskulle :invoice',
+ 'activity_11' => ':user päivitti maksun :payment',
+ 'activity_12' => ':user arkistoi maksun :payment',
+ 'activity_13' => ':user poisti maksun :payment',
+ 'activity_14' => ':user syötti :credit hyvityksen',
+ 'activity_15' => ':user päivitti :credit hyvityksen',
+ 'activity_16' => ':user arkistoi :credit hyvityksen',
+ 'activity_17' => ':user poisti :credit hyvityksen',
+ 'activity_18' => ':user loi tarjouksen :quote',
+ 'activity_19' => ':user päivitti tarjouksen :quote',
+ 'activity_20' => ':user lähetti sähköpostilla tarjouksen :quote asiakkaalle :contact',
+ 'activity_21' => ':contact luki tarjouksen :quote',
+ 'activity_22' => ':user arkistoi tarjouksen :quote',
+ 'activity_23' => ':user poisti tarjouksen :quote',
+ 'activity_24' => ':user palautti tarjouksen :quote',
+ 'activity_25' => ':user palautti laskun :invoice',
+ 'activity_26' => ':user palautti asiakkaan :client',
+ 'activity_27' => ':user palautti maksun :payment',
+ 'activity_28' => ':user palautti hyvityksen :credit',
+ 'activity_29' => ':contact hyväksyi tarjouksen :quote',
+ 'activity_30' => ':user loi kauppiaan :vendor',
+ 'activity_31' => ':user arkistoi kauppiaan :vendor',
+ 'activity_32' => ':user poisti kauppiaan :vendor',
+ 'activity_33' => ':user palautti kauppiaan :vendor',
+ 'activity_34' => ':user loi kulun :expense',
+ 'activity_35' => ':user arkistoi kulun :expense',
+ 'activity_36' => ':user poisti kulun :expense',
+ 'activity_37' => ':user palautti kulun :expense',
+ 'activity_42' => ':user loi tehtävän :task',
+ 'activity_43' => ':user päivitti tehtävän :task',
+ 'activity_44' => ':user arkistoi tehtävän :task',
+ 'activity_45' => ':user poisti tehtävän :task',
+ 'activity_46' => ':user palautti tehtävän :task',
+ 'activity_47' => ':user päivitti kulun :expense',
+ 'payment' => 'Maksu',
+ 'system' => 'Järjestelmä',
+ 'signature' => 'Sähköpostiallekirjoitus',
+ 'default_messages' => 'Vakioviestit',
+ 'quote_terms' => 'Tarjouksen ehdot',
+ 'default_quote_terms' => 'Tarjouksen vakioehdot',
+ 'default_invoice_terms' => 'Laskun vakioehdot',
+ 'default_invoice_footer' => 'Laskun vakioalatunniste',
+ 'quote_footer' => 'Tarjouksen alatunniste',
+ 'free' => 'Ilmainen',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Käytä luottoa',
+ 'system_settings' => 'Järjestelmäasetukset',
+ 'archive_token' => 'Archive Token',
+ 'archived_token' => 'Successfully archived token',
+ 'archive_user' => 'Arkistoi käyttäjä',
+ 'archived_user' => 'Käyttäjä arkistoitu onnistuneesti',
+ 'archive_account_gateway' => 'Arkistoi yhdyskäytävä',
+ 'archived_account_gateway' => 'Yhdyskäytävä arkistoitu onnistuneesti',
+ 'archive_recurring_invoice' => 'Arkistoi toistuva lasku',
+ 'archived_recurring_invoice' => 'Toistuva lasku arkistoitu onnistuneesti',
+ 'delete_recurring_invoice' => 'Poista toistuva lask',
+ 'deleted_recurring_invoice' => 'Toistuva lasku poistettu onnistuneesti',
+ 'restore_recurring_invoice' => 'Palauta toistuva lasku',
+ 'restored_recurring_invoice' => 'Toistuva lasku palautettu onnistuneesti',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Arkistoitu',
+ 'untitled_account' => 'Nimetön yritys',
+ 'before' => 'Ennen',
+ 'after' => 'Jälkeen',
+ 'reset_terms_help' => 'Palauta tilin vakioehtoihin',
+ 'reset_footer_help' => 'Palauta tilin vakioalatunnisteeseen',
+ 'export_data' => 'Vie tietoja',
+ 'user' => 'Käyttäjä',
+ 'country' => 'Maa',
+ 'include' => 'Sisällytä',
+ 'logo_too_large' => 'Logosi on :size. Paremman PDF-suorituskyvyn takaamiseksi suosittelemme käyttämään alle 200KB kokoista kuvatiedostoa',
+ 'import_freshbooks' => 'Tuo FreshBooks-palvelusta',
+ 'import_data' => 'Tuo tietoja',
+ 'source' => 'Lähde',
+ 'csv' => 'CSV',
+ 'client_file' => 'Asiakastiedosto',
+ 'invoice_file' => 'Laskutiedosto',
+ 'task_file' => 'Tehtävätiedosto',
+ 'no_mapper' => 'No valid mapping for file',
+ 'invalid_csv_header' => 'Virheellinen CSV-otsikointi',
+ 'client_portal' => 'Asiakasportaali',
+ 'admin' => 'Ylläpito',
+ 'disabled' => 'Pois käytöstä',
+ 'show_archived_users' => 'Näytä arkistoidut käyttäjät',
+ 'notes' => 'Viestit',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => 'laskut luodaan',
+ 'failed_to_import' => 'The following records failed to import, they either already exist or are missing required fields.',
+ 'publishable_key' => 'Julkinen avain',
+ 'secret_key' => 'Salainen avain',
+ 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process',
+ 'email_design' => 'Sähköpostin muotoilu',
+ 'due_by' => 'Eräpäivä :date',
+ 'enable_email_markup' => 'Enable Markup',
+ 'enable_email_markup_help' => 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
+ 'template_help_title' => 'Templates Help',
+ 'template_help_1' => 'Available variables:',
+ 'email_design_id' => 'Email Style',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'Yksinkertainen',
+ 'light' => 'Vaalea',
+ 'dark' => 'Tumma',
+ 'industry_help' => 'Used to provide comparisons against the averages of companies of similar size and industry.',
+ 'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the invoice number.',
+ 'quote_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the quote number.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Add a label and value to the company details section of the PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Add a field when creating an invoice and include the charge in the invoice subtotals.',
+ 'token_expired' => 'Validation token was expired. Please try again.',
+ 'invoice_link' => 'Invoice Link',
+ 'button_confirmation_message' => 'Click to confirm your email address.',
+ 'confirm' => 'Confirm',
+ 'email_preferences' => 'Email Preferences',
+ 'created_invoices' => 'Successfully created :count invoice(s)',
+ 'next_invoice_number' => 'The next invoice number is :number.',
+ 'next_quote_number' => 'The next quote number is :number.',
+ 'days_before' => 'päivää ennen',
+ 'days_after' => 'päivää jälkeen',
+ 'field_due_date' => 'eräpäivä',
+ 'field_invoice_date' => 'Laskun päiväys',
+ 'schedule' => 'Schedule',
+ 'email_designs' => 'Email Designs',
+ 'assigned_when_sent' => 'Assigned when sent',
+ 'white_label_purchase_link' => 'Purchase a white label license',
+ 'expense' => 'Kulu',
+ 'expenses' => 'Kulut',
+ 'new_expense' => 'Syötä kulu',
+ 'enter_expense' => 'Syötä kulu',
+ 'vendors' => 'Vendors',
+ 'new_vendor' => 'New Vendor',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Vendor',
+ 'edit_vendor' => 'Edit Vendor',
+ 'archive_vendor' => 'Archive Vendor',
+ 'delete_vendor' => 'Delete Vendor',
+ 'view_vendor' => 'View Vendor',
+ 'deleted_expense' => 'Successfully deleted expense',
+ 'archived_expense' => 'Successfully archived expense',
+ 'deleted_expenses' => 'Successfully deleted expenses',
+ 'archived_expenses' => 'Successfully archived expenses',
+ 'expense_amount' => 'Expense Amount',
+ 'expense_balance' => 'Expense Balance',
+ 'expense_date' => 'Expense Date',
+ 'expense_should_be_invoiced' => 'Should this expense be invoiced?',
+ 'public_notes' => 'Public Notes',
+ 'invoice_amount' => 'Invoice Amount',
+ 'exchange_rate' => 'Exchange Rate',
+ 'yes' => 'Yes',
+ 'no' => 'No',
+ 'should_be_invoiced' => 'Should be invoiced',
+ 'view_expense' => 'View expense # :expense',
+ 'edit_expense' => 'Edit Expense',
+ 'archive_expense' => 'Archive Expense',
+ 'delete_expense' => 'Delete Expense',
+ 'view_expense_num' => 'Expense # :expense',
+ 'updated_expense' => 'Successfully updated expense',
+ 'created_expense' => 'Successfully created expense',
+ 'enter_expense' => 'Syötä kulu',
+ 'view' => 'View',
+ 'restore_expense' => 'Restore Expense',
+ 'invoice_expense' => 'Invoice Expense',
+ 'expense_error_multiple_clients' => 'The expenses can\'t belong to different clients',
+ 'expense_error_invoiced' => 'Expense has already been invoiced',
+ 'convert_currency' => 'Convert currency',
+ 'num_days' => 'Number of Days',
+ 'create_payment_term' => 'Create Payment Term',
+ 'edit_payment_terms' => 'Edit Payment Term',
+ 'edit_payment_term' => 'Edit Payment Term',
+ 'archive_payment_term' => 'Archive Payment Term',
+ 'recurring_due_dates' => 'Recurring Invoice Due Dates',
+ '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.
+
+
',
+ 'due' => 'Due',
+ 'next_due_on' => 'Due Next: :date',
+ 'use_client_terms' => 'Use client terms',
+ 'day_of_month' => ':ordinal day of month',
+ 'last_day_of_month' => 'Last day of month',
+ 'day_of_week_after' => ':ordinal :day after',
+ 'sunday' => 'Sunday',
+ 'monday' => 'Monday',
+ 'tuesday' => 'Tuesday',
+ 'wednesday' => 'Wednesday',
+ 'thursday' => 'Thursday',
+ 'friday' => 'Friday',
+ 'saturday' => 'Saturday',
+ 'header_font_id' => 'Header Font',
+ 'body_font_id' => 'Body Font',
+ 'color_font_help' => 'Note: the primary color and fonts are also used in the client portal and custom email designs.',
+ 'live_preview' => 'Live Preview',
+ 'invalid_mail_config' => 'Unable to send email, please check that the mail settings are correct.',
+ 'invoice_message_button' => 'To view your invoice for :amount, click the button below.',
+ 'quote_message_button' => 'To view your quote for :amount, click the button below.',
+ 'payment_message_button' => 'Thank you for your payment of :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Credit Cards & Banks',
+ 'add_bank_account' => 'Add Bank Account',
+ 'setup_account' => 'Setup Account',
+ 'import_expenses' => 'Import Expenses',
+ 'bank_id' => 'Bank',
+ 'integration_type' => 'Integration Type',
+ 'updated_bank_account' => 'Successfully updated bank account',
+ 'edit_bank_account' => 'Edit Bank Account',
+ 'archive_bank_account' => 'Archive Bank Account',
+ 'archived_bank_account' => 'Successfully archived bank account',
+ 'created_bank_account' => 'Successfully created bank account',
+ 'validate_bank_account' => 'Validate Bank Account',
+ 'bank_password_help' => 'Note: your password is transmitted securely and never stored on our servers.',
+ 'bank_password_warning' => 'Warning: your password may be transmitted in plain text, consider enabling HTTPS.',
+ 'username' => 'Username',
+ 'account_number' => 'Account Number',
+ 'account_name' => 'Account Name',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Approved',
+ 'quote_settings' => 'Quote Settings',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved by a client.',
+ 'validate' => 'Validate',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Successfully created :count_vendors vendor(s) and :count_expenses expense(s)',
+ 'iframe_url_help3' => 'Note: if you plan on accepting credit cards details we strongly recommend enabling HTTPS on your site.',
+ 'expense_error_multiple_currencies' => 'The expenses can\'t have different currencies.',
+ 'expense_error_mismatch_currencies' => 'The client\'s currency does not match the expense currency.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'First page',
+ 'all_pages' => 'All pages',
+ 'last_page' => 'Last page',
+ 'all_pages_header' => 'Show Header on',
+ 'all_pages_footer' => 'Show Footer on',
+ 'invoice_currency' => 'Invoice Currency',
+ 'enable_https' => 'We strongly recommend using HTTPS to accept credit card details online.',
+ 'quote_issued_to' => 'Quote issued to',
+ 'show_currency_code' => 'Currency Code',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Your account will receive a free two week trial of our pro plan.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Start Free Trial',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Overdue',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'To adjust your email notification settings please visit :link',
+ 'reset_password_footer' => 'If you did not request this password reset please email our support: :email',
+ 'limit_users' => 'Sorry, this will exceed the limit of :limit users',
+ 'more_designs_self_host_header' => 'Get 6 more invoice designs for just $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link to remove the Invoice Ninja logo by joining the Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Click here',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'Viewed',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Emails can not be sent to inactive invoices',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'List Invoices',
+ 'list_clients' => 'List Clients',
+ 'list_quotes' => 'List Quotes',
+ 'list_tasks' => 'List Tasks',
+ 'list_expenses' => 'List Expenses',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => 'List Payments',
+ 'list_credits' => 'List Credits',
+ 'tax_name' => 'Tax Name',
+ 'report_settings' => 'Report Settings',
+ 'search_hotkey' => 'shortcut is /',
+
+ 'new_user' => 'New User',
+ 'new_product' => 'New Product',
+ 'new_tax_rate' => 'New Tax Rate',
+ 'invoiced_amount' => 'Invoiced Amount',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Recurring Number',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Password Protect Invoices',
+ 'enable_portal_password_help' => 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Expired',
+ 'invalid_card_number' => 'The credit card number is not valid.',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Cost',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Owner',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Partial Due',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'January',
+ 'february' => 'February',
+ 'march' => 'March',
+ 'april' => 'April',
+ 'may' => 'May',
+ 'june' => 'June',
+ 'july' => 'July',
+ 'august' => 'August',
+ 'september' => 'September',
+ 'october' => 'October',
+ 'november' => 'November',
+ 'december' => 'December',
+
+ // Documents
+ 'documents_header' => 'Documents:',
+ 'email_documents_header' => 'Documents:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Client Portal',
+ 'enable_client_portal_help' => 'Show/hide the client portal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Account Management',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Monthly',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Month',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Live Preview',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refund Payment',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Refund',
+ 'are_you_sure_refund' => 'Refund selected payments?',
+ 'status_pending' => 'Pending',
+ 'status_completed' => 'Completed',
+ 'status_failed' => 'Failed',
+ 'status_partially_refunded' => 'Partially Refunded',
+ 'status_partially_refunded_amount' => ':amount Refunded',
+ 'status_refunded' => 'Refunded',
+ 'status_voided' => 'Cancelled',
+ 'refunded_payment' => 'Refunded Payment',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Unknown',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Client Id',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Other Providers',
+ 'country_not_supported' => 'That country is not supported.',
+ 'invalid_routing_number' => 'The routing number is not valid.',
+ 'invalid_account_number' => 'The account number is not valid.',
+ 'account_number_mismatch' => 'The account numbers do not match.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Company Account',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Add Account',
+ 'payment_methods' => 'Payment Methods',
+ 'complete_verification' => 'Complete Verification',
+ 'verification_amount1' => 'Amount 1',
+ 'verification_amount2' => 'Amount 2',
+ 'payment_method_verified' => 'Verification completed successfully',
+ 'verification_failed' => 'Verification Failed',
+ 'remove_payment_method' => 'Remove Payment Method',
+ 'confirm_remove_payment_method' => 'Are you sure you want to remove this payment method?',
+ 'remove' => 'Remove',
+ 'payment_method_removed' => 'Removed payment method.',
+ 'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Unknown Bank',
+ 'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
+ 'add_credit_card' => 'Add Credit Card',
+ 'payment_method_added' => 'Added payment method.',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'You must :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Add Payment Method',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Always',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Enabled',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Save payment details',
+ 'add_paypal_account' => 'Add PayPal Account',
+
+
+ 'no_payment_method_specified' => 'No payment method specified',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Format',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Company Name',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Manage Account',
+ 'action_required' => 'Action Required',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Security',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Product File',
+ 'import_products' => 'Import Products',
+ 'products_will_create' => 'products will be created',
+ 'product_key' => 'Product',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'View Dashboard',
+ 'client_session_expired' => 'Session Expired',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bank account',
+ 'auto_bill_payment_method_credit_card' => 'credit card',
+ 'auto_bill_payment_method_paypal' => 'PayPal account',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Payment Settings',
+
+ 'on_send_date' => 'On send date',
+ 'on_due_date' => 'On due date',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bank Account',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privacy Policy',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Verification Pending',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'More options',
+ 'credit_card' => 'Credit Card',
+ 'bank_transfer' => 'Bank Transfer',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Added :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'This gateway already exists',
+ 'manual_entry' => 'Manual entry',
+ 'start_of_week' => 'First Day of the Week',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Weekly',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Two weeks',
+ 'freq_four_weeks' => 'Four weeks',
+ 'freq_monthly' => 'Monthly',
+ 'freq_three_months' => 'Three months',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Six months',
+ 'freq_annually' => 'Annually',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Bank Transfer',
+ 'payment_type_Cash' => 'Cash',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Credit Card Other',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' => 'Photography',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' =>'Photography',
+
+ 'view_client_portal' => 'View client portal',
+ 'view_portal' => 'View Portal',
+ 'vendor_contacts' => 'Vendor Contacts',
+ 'all' => 'All',
+ 'selected' => 'Selected',
+ 'category' => 'Category',
+ 'categories' => 'Categories',
+ 'new_expense_category' => 'New Expense Category',
+ 'edit_category' => 'Edit Category',
+ 'archive_expense_category' => 'Archive Category',
+ 'expense_categories' => 'Expense Categories',
+ 'list_expense_categories' => 'List Expense Categories',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Apply taxes',
+ 'min_to_max_users' => ':min to :max users',
+ 'max_users_reached' => 'The maximum number of users has been reached.',
+ 'buy_now_buttons' => 'Buy Now Buttons',
+ 'landing_page' => 'Landing Page',
+ 'payment_type' => 'Payment Type',
+ 'form' => 'Form',
+ 'link' => 'Link',
+ 'fields' => 'Fields',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Enable support for buy now buttons',
+ 'changes_take_effect_immediately' => 'Note: changes take effect immediately',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Something went wrong',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Please select a contact',
+ 'no_client_selected' => 'Please select a client',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Add 1 :product',
+ 'not_authorized' => 'You are not authorized',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Day',
+ 'week' => 'Week',
+ 'month' => 'Month',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Reports',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Date Range',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Annual revenue',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Vendor',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Invoice',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/fi/validation.php b/resources/lang/fi/validation.php
new file mode 100644
index 000000000000..7eb5bc566a1f
--- /dev/null
+++ b/resources/lang/fi/validation.php
@@ -0,0 +1,123 @@
+ 'Kenttä :attribute tulee hyväksyä.',
+ 'active_url' => 'Kentän :attribute tulee olla validi URL-osoite.',
+ 'after' => 'Kentän :attribute päiväyksen tulee olla :date jälkeen.',
+ 'after_or_equal' => 'The :attribute must be a date after or equal to :date.',
+ 'alpha' => 'Kenttä :attribute voi sisältää vain kirjaimia.',
+ 'alpha_dash' => 'Kenttä :attribute voi sisältää vain kirjaimia, numeroita ja viivoja.',
+ 'alpha_num' => 'Kenttä :attribute voi sisältää vain kirjaimia ja numeroita.',
+ 'array' => 'The :attribute must be an array.',
+ 'before' => 'Kentän :attribute päiväyksen tulee olla ennen :date.',
+ 'before_or_equal' => 'The :attribute must be a date before or equal to :date.',
+ 'between' => [
+ 'numeric' => 'Kentän :attribute tulee olla välillä :min - :max.',
+ 'file' => 'Tiedoston :attribute tulee olla :min - :max kilobittiä.',
+ 'string' => 'Kentän :attribute tulee olla :min - :max merkkiä pitkä.',
+ 'array' => 'Kentän :attribute tulee sisältää välillä :min - :max arvoa.',
+ ],
+ 'boolean' => 'Kentän :attribute arvon tulee olla tosi tai epätosi.',
+ 'confirmed' => 'Kentän :attribute vahvistus ei täsmää.',
+ 'date' => 'Kentän :attribute arvo ei ole kelvollinen päivämäärä.',
+ 'date_format' => 'Kentän :attribute arvo ei vastaa muotoa :format.',
+ 'different' => 'Kenttien :attribute ja :other tulee olla eriarvoisia.',
+ 'digits' => 'Kentän :attribute arvon on oltava :digits numeroa.',
+ 'digits_between' => 'Kentän :attribute arvon tulee olla :min - :max numeroa.',
+ 'dimensions' => 'The :attribute has invalid image dimensions.',
+ 'distinct' => 'Kentän :attribute arvo ei ole uniikki.',
+ 'email' => 'Kentän :attribute arvo ei ole validi sähköpostiosoite.',
+ 'exists' => 'The selected :attribute is invalid.',
+ 'file' => 'Kentän :attribute arvon tulee olla tiedosto.',
+ 'filled' => 'Kenttä :attribute on pakollinen.',
+ 'image' => 'Kentän :attribute arvon tulee olla kuva.',
+ 'in' => 'Kentän :attribute arvo on virheellinen.',
+ 'in_array' => 'Kentän :attribute arvo ei sisälly kentän :other arvoon.',
+ 'integer' => 'Kentän :attribute arvon tulee olla numero.',
+ 'ip' => 'Kentän :attribute arvon tulee olla validi IP-osoite.',
+ 'ipv4' => 'The :attribute must be a valid IPv4 address.',
+ 'ipv6' => 'The :attribute must be a valid IPv6 address.',
+ 'json' => 'Kentän :attribute arvon tulee olla validia JSON:ia.',
+ 'max' => [
+ 'numeric' => 'Kentän arvon :attribute tulee olla enintään :max.',
+ 'file' => 'Tiedoston :attribute tulee olla enintään :max kilobittiä.',
+ 'string' => 'Kentän :attribute arvon tulee olla enintään :max merkkiä pitkä.',
+ 'array' => 'Kentän :attribute ei tule sisältää enempää kuin :max arvoa.',
+ ],
+ 'mimes' => 'Kentän :attribute arvon tulee olla tiedostotyyppiä: :values.',
+ 'mimetypes' => 'Kentän :attribute arvon tulee olla tiedostotyyppiä: :values.',
+ 'min' => [
+ 'numeric' => 'Kentän :attribute arvon tulee olla vähintään :min.',
+ 'file' => 'Tiedoston :attribute tulee olla vähintään :min kilobittiä.',
+ 'string' => 'Kentän :attribute arvon tulee olla vähintään :min merkkiä.',
+ 'array' => 'Kentän :attribute tulee sisältää vähintään :min arvoa.',
+ ],
+ 'not_in' => 'Kentän :attribute arvo on virheellinen.',
+ 'numeric' => 'Kentän :attribute arvon tulee olla numero.',
+ 'present' => 'Kenttä :attribute vaaditaan.',
+ 'regex' => 'Kentän :attribute arvo on väärää muotoa.',
+ 'required' => 'Kenttä :attribute vaaditaan.',
+ 'required_if' => 'Kenttä :attribute vaaditaan kun :other on :value.',
+ 'required_unless' => 'Kenttä :attribute vaaditaan jos :other ei sisälly arvoihin :values.',
+ 'required_with' => 'Kenttä :attribute vaaditaan kun arvo :values on annettu.',
+ 'required_with_all' => 'Kenttä :attribute vaaditaan kun arvo :values on annettu.',
+ 'required_without' => 'Kenttä :attribute vaaditaan kun arvoa :values ei ole annettu.',
+ 'required_without_all' => 'Kenttä :attribute vaaditaan kun mitään arvoista :values ei ole annettu.',
+ 'same' => 'Kenttien :attribute ja :other on oltava samanarvoiset.',
+ 'size' => [
+ 'numeric' => 'Kentän :attribute arvon tulee olla kokoa :size.',
+ 'file' => 'Tiedoston :attribute tulee olla kokoa :size kilobittiä.',
+ 'string' => 'Kentän :attribute arvon tulee olla kokoa :size merkkiä.',
+ 'array' => 'Kentän :attribute tulee sisältää :size arvoa.',
+ ],
+ 'string' => 'Kentän :attribute arvon tulee olla tekstiä.',
+ 'timezone' => 'Kentän :attribute arvon tulee olla validi aikavyöhyketunniste.',
+ 'unique' => 'Kentän :attribute arvo ei ole uniikki.',
+ 'uploaded' => 'Tiedoston :attribute lataus epäonnistui.',
+ 'url' => 'Kentän :attribute arvon tulee olla validi URL-osoite.',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ //
+ ],
+
+];
diff --git a/resources/lang/fr/pagination.php b/resources/lang/fr/pagination.php
new file mode 100644
index 000000000000..76976c0ef428
--- /dev/null
+++ b/resources/lang/fr/pagination.php
@@ -0,0 +1,20 @@
+ '« Précédent',
+
+ 'next' => 'Suivant »',
+
+);
diff --git a/resources/lang/fr/reminders.php b/resources/lang/fr/reminders.php
new file mode 100644
index 000000000000..69cdcdafb273
--- /dev/null
+++ b/resources/lang/fr/reminders.php
@@ -0,0 +1,24 @@
+ "Les mots de passe doivent avoir au moins six caractères et doivent être identiques.",
+
+ "user" => "Nous ne pouvons trouver cet utilisateur avec cette adresse e-mail.",
+
+ "token" => "Ce jeton de réinitialisation du mot de passe n'est pas valide.",
+
+ "sent" => "Rappel du mot de passe envoyé !",
+
+);
diff --git a/resources/lang/fr/texts.php b/resources/lang/fr/texts.php
new file mode 100644
index 000000000000..91e83b574654
--- /dev/null
+++ b/resources/lang/fr/texts.php
@@ -0,0 +1,2866 @@
+ 'Entreprise',
+ 'name' => 'Nom',
+ 'website' => 'Site Web',
+ 'work_phone' => 'Téléphone',
+ 'address' => 'Adresse',
+ 'address1' => 'Rue',
+ 'address2' => 'Appt/Bâtiment',
+ 'city' => 'Ville',
+ 'state' => 'Région/Département',
+ 'postal_code' => 'Code postal',
+ 'country_id' => 'Pays',
+ 'contacts' => 'Informations de contact',
+ 'first_name' => 'Prénom',
+ 'last_name' => 'Nom',
+ 'phone' => 'Téléphone',
+ 'email' => 'Courriel',
+ 'additional_info' => 'Informations complémentaires',
+ 'payment_terms' => 'Conditions de paiement',
+ 'currency_id' => 'Devise',
+ 'size_id' => 'Taille de l’entreprise',
+ 'industry_id' => 'Secteur',
+ 'private_notes' => 'Note personnelle',
+ 'invoice' => 'Facture',
+ 'client' => 'Client',
+ 'invoice_date' => 'Date de facture',
+ 'due_date' => 'Date d\'échéance',
+ 'invoice_number' => 'Numéro de facture',
+ 'invoice_number_short' => 'Facture #',
+ 'po_number' => 'Numéro du bon de commande',
+ 'po_number_short' => 'Bon de commande #',
+ 'frequency_id' => 'Fréquence',
+ 'discount' => 'Remise',
+ 'taxes' => 'Taxes',
+ 'tax' => 'Taxe',
+ 'item' => 'Article',
+ 'description' => 'Description',
+ 'unit_cost' => 'Coût unitaire',
+ 'quantity' => 'Quantité',
+ 'line_total' => 'Total',
+ 'subtotal' => 'Sous-total',
+ 'paid_to_date' => 'Payé à ce jour',
+ 'balance_due' => 'Montant dû',
+ 'invoice_design_id' => 'Style',
+ 'terms' => 'Conditions',
+ 'your_invoice' => 'Votre facture',
+ 'remove_contact' => 'Supprimer le contact',
+ 'add_contact' => 'Ajouter un contact',
+ 'create_new_client' => 'Ajouter un nouveau client',
+ 'edit_client_details' => 'Modifier les informations du client',
+ 'enable' => 'Activé(e)',
+ 'learn_more' => 'En savoir plus',
+ 'manage_rates' => 'Gérer les taux',
+ 'note_to_client' => 'Commentaire pour le client',
+ 'invoice_terms' => 'Conditions de facturation',
+ 'save_as_default_terms' => 'Sauvegarder comme conditions par défaut',
+ 'download_pdf' => 'Télécharger le PDF',
+ 'pay_now' => 'Payer maintenant',
+ 'save_invoice' => 'Sauvegarder la facture',
+ 'clone_invoice' => 'Cloner en facture',
+ 'archive_invoice' => 'Archiver la facture',
+ 'delete_invoice' => 'Supprimer la facture',
+ 'email_invoice' => 'Envoyer la facture par courriel',
+ 'enter_payment' => 'Saisissez un paiement',
+ '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',
+ 'dashboard' => 'Tableau de bord',
+ 'clients' => 'Clients',
+ 'invoices' => 'Factures',
+ 'payments' => 'Paiements',
+ 'credits' => 'Crédits',
+ 'history' => 'Historique',
+ 'search' => 'Rechercher',
+ 'sign_up' => 'S’enregistrer',
+ 'guest' => 'Invité',
+ 'company_details' => 'Informations sur l’entreprise',
+ 'online_payments' => 'Paiements en ligne',
+ 'notifications' => 'Notifications',
+ 'import_export' => 'Importer/Exporter',
+ 'done' => 'Valider',
+ 'save' => 'Sauvegarder',
+ 'create' => 'Créer',
+ 'upload' => 'Envoyer',
+ 'import' => 'Importer',
+ 'download' => 'Télécharger',
+ 'cancel' => 'Annuler',
+ 'close' => 'Fermer',
+ 'provide_email' => 'Veuillez renseigner une adresse courriel valide',
+ 'powered_by' => 'Propulsé par',
+ 'no_items' => 'Aucun élément',
+ 'recurring_invoices' => 'Factures récurrentes',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'de bénéfice total',
+ 'billed_client' => 'client facturé',
+ 'billed_clients' => 'clients facturés',
+ 'active_client' => 'client actif',
+ 'active_clients' => 'clients actifs',
+ 'invoices_past_due' => 'Date limite de paiement dépassée',
+ 'upcoming_invoices' => 'Factures à venir',
+ 'average_invoice' => 'Facture moyenne',
+ 'archive' => 'Archiver',
+ 'delete' => 'Supprimer',
+ 'archive_client' => 'Archiver ce client',
+ 'delete_client' => 'Supprimer ce client',
+ 'archive_payment' => 'Archiver ce paiement',
+ 'delete_payment' => 'Supprimer ce paiement',
+ 'archive_credit' => 'Archiver ce crédit',
+ 'delete_credit' => 'Supprimer ce crédit',
+ 'show_archived_deleted' => 'Afficher archivés/supprimés',
+ 'filter' => 'Filtrer',
+ 'new_client' => 'Nouveau client',
+ 'new_invoice' => 'Nouvelle facture',
+ 'new_payment' => 'Entrer un paiement',
+ 'new_credit' => 'Entrer un crédit',
+ 'contact' => 'Contact',
+ 'date_created' => 'Date de création',
+ 'last_login' => 'Dernière connexion',
+ 'balance' => 'Solde',
+ 'action' => 'Action',
+ 'status' => 'Statut',
+ 'invoice_total' => 'Montant total',
+ 'frequency' => 'Fréquence',
+ 'start_date' => 'Date de début',
+ 'end_date' => 'Date de fin',
+ 'transaction_reference' => 'Référence de la transaction',
+ 'method' => 'Méthode',
+ 'payment_amount' => 'Montant du paiement',
+ 'payment_date' => 'Date du paiement',
+ 'credit_amount' => 'Montant du crédit',
+ 'credit_balance' => 'Solde du crédit',
+ 'credit_date' => 'Date d\'avoir',
+ 'empty_table' => 'Aucune donnée disponible dans la table',
+ 'select' => 'Sélectionner',
+ 'edit_client' => 'Modifier ce client',
+ 'edit_invoice' => 'Modifier la facture',
+ 'create_invoice' => 'Créer une facture',
+ 'enter_credit' => 'Saisissez un crédit',
+ 'last_logged_in' => 'Dernière connexion',
+ 'details' => 'Détails',
+ 'standing' => 'En attente',
+ 'credit' => 'Crédit',
+ 'activity' => 'Activité',
+ 'date' => 'Date',
+ 'message' => 'Message',
+ 'adjustment' => 'Réglements',
+ 'are_you_sure' => 'Voulez-vous vraiment effectuer cette action ?',
+ 'payment_type_id' => 'Type de paiement',
+ 'amount' => 'Montant',
+ 'work_email' => 'Courriel',
+ 'language_id' => 'Langue',
+ 'timezone_id' => 'Fuseau horaire',
+ 'date_format_id' => 'Format de la date',
+ 'datetime_format_id' => 'Format Date/Heure',
+ 'users' => 'Utilisateurs',
+ 'localization' => 'Localisation',
+ 'remove_logo' => 'Supprimer le logo',
+ 'logo_help' => 'Formats supportés : JPEG, GIF et PNG',
+ 'payment_gateway' => 'Passerelle de paiement',
+ 'gateway_id' => 'Fournisseur',
+ 'email_notifications' => 'Notifications par courriel',
+ 'email_sent' => 'M\'envoyer un courriel quand une facture est envoyée',
+ 'email_viewed' => 'M\'envoyer un courriel quand une facture est vue',
+ 'email_paid' => 'M\'envoyer un courriel quand une facture est payée',
+ 'site_updates' => 'Mises à jour du site',
+ 'custom_messages' => 'Messages personnalisés',
+ 'default_email_footer' => 'Définir comme la signature de courriel par défaut',
+ 'select_file' => 'Veuillez sélectionner un fichier',
+ 'first_row_headers' => 'Utiliser la première ligne comme en-tête',
+ 'column' => 'Colonne',
+ 'sample' => 'Exemple',
+ 'import_to' => 'Importer en tant que',
+ 'client_will_create' => 'client sera créé',
+ 'clients_will_create' => 'clients seront créés',
+ 'email_settings' => 'Paramètres de courriel',
+ 'client_view_styling' => 'Style de la vue client',
+ 'pdf_email_attachment' => 'Joindre PDF',
+ 'custom_css' => 'CSS personnalisé',
+ 'import_clients' => 'Importer des données clients',
+ 'csv_file' => 'Sélectionner un fichier CSV',
+ 'export_clients' => 'Exporter des données clients',
+ 'created_client' => 'Client créé avec succès',
+ 'created_clients' => ':count client(s) créé(s) avec succès',
+ 'updated_settings' => 'Paramètres mis à jour avec succès',
+ 'removed_logo' => 'Logo supprimé avec succès',
+ 'sent_message' => 'Message envoyé avec succès',
+ 'invoice_error' => 'Veuillez vous assurer de sélectionner un client et de corriger les erreurs',
+ 'limit_clients' => 'Désolé, cela dépasse la limite de :count clients',
+ 'payment_error' => 'Il y a eu une erreur lors du traitement de votre paiement. Veuillez réessayer ultérieurement',
+ 'registration_required' => 'Veuillez vous enregistrer pour envoyer une facture par courriel',
+ 'confirmation_required' => 'Veuillez confirmer votre adresse courriel, :link pour renvoyer le courriel de confirmation.',
+ 'updated_client' => 'Client modifié avec succès',
+ 'created_client' => 'Client créé avec succès',
+ 'archived_client' => 'Client archivé avec succès',
+ 'archived_clients' => ':count clients archivés avec succès',
+ 'deleted_client' => 'Client supprimé avec succès',
+ 'deleted_clients' => ':count clients supprimés avec succès',
+ 'updated_invoice' => 'Facture modifiée avec succès',
+ 'created_invoice' => 'Facture créée avec succès',
+ 'cloned_invoice' => 'Facture dupliquée avec succès',
+ 'emailed_invoice' => 'Facture envoyée par courriel avec succès',
+ 'and_created_client' => 'et client créé',
+ 'archived_invoice' => 'Facture archivée avec succès',
+ 'archived_invoices' => ':count factures archivées avec succès',
+ 'deleted_invoice' => 'Facture supprimée avec succès',
+ 'deleted_invoices' => ':count factures supprimées avec succès',
+ 'created_payment' => 'Paiement créé avec succès',
+ 'created_payments' => ':count paiement(s) créé(s)',
+ 'archived_payment' => 'Paiement archivé avec succès',
+ 'archived_payments' => ':count paiement archivés avec succès',
+ 'deleted_payment' => 'Paiement supprimé avec succès',
+ 'deleted_payments' => ':count paiements supprimés avec succès',
+ 'applied_payment' => 'Paiement enregistré avec succès',
+ 'created_credit' => 'Crédit créé avec succès',
+ 'archived_credit' => 'Crédit archivé avec succès',
+ 'archived_credits' => ':count crédits archivés avec succès',
+ 'deleted_credit' => 'Crédit supprimé avec succès',
+ 'deleted_credits' => ':count crédits supprimés avec succès',
+ 'imported_file' => 'Fichier importé avec succès',
+ 'updated_vendor' => 'Founisseur mis à jour avec succès',
+ 'created_vendor' => 'Fournisseur créé avec succès',
+ 'archived_vendor' => 'Fournisseur archivé avec succès',
+ 'archived_vendors' => ':count fournisseurs archivés avec succès',
+ 'deleted_vendor' => 'Fournisseur supprimé avec succès',
+ 'deleted_vendors' => ':count fournisseurs supprimés avec succès',
+ 'confirmation_subject' => 'Validation du compte Invoice Ninja',
+ 'confirmation_header' => 'Validation du compte',
+ 'confirmation_message' => 'Veuillez cliquer sur le lien ci-après pour valider votre compte.',
+ 'invoice_subject' => 'Nouvelle facture :number de :account',
+ 'invoice_message' => 'Pour visionner votre facture de :amount, cliquez sur le lien ci-dessous.',
+ 'payment_subject' => 'Paiement reçu',
+ 'payment_message' => 'Merci pour votre paiement d’un montant de :amount',
+ 'email_salutation' => 'Cher :name,',
+ 'email_signature' => 'Cordialement,',
+ 'email_from' => 'L’équipe Invoice Ninja',
+ 'invoice_link_message' => 'Pour voir la facture de votre client cliquez sur le lien ci-dessous :',
+ 'notification_invoice_paid_subject' => 'La facture :invoice a été payée par le client :client',
+ 'notification_invoice_sent_subject' => 'La facture :invoice a été envoyée au client :client',
+ 'notification_invoice_viewed_subject' => 'La facture :invoice a été vue par le client :client',
+ 'notification_invoice_paid' => 'Un paiement de :amount a été effectué par le client :client concernant la facture :invoice.',
+ 'notification_invoice_sent' => 'Le client suivant :client a reçu par courriel la facture :invoice d\'un montant de :amount',
+ 'notification_invoice_viewed' => 'Le client :client a vu la facture :invoice d\'un montant de :amount',
+ 'reset_password' => 'Vous pouvez réinitialiser votre mot de passe en cliquant sur le lien suivant :',
+ 'secure_payment' => 'Paiement sécurisé',
+ 'card_number' => 'Numéro de carte',
+ 'expiration_month' => 'Mois d\'expiration',
+ 'expiration_year' => 'Année d\'expiration',
+ 'cvv' => 'Cryptogramme visuel',
+ 'logout' => 'Se déconnecter',
+ 'sign_up_to_save' => 'Connectez-vous pour sauvegarder votre travail',
+ 'agree_to_terms' => 'J\'accepte les :terms',
+ 'terms_of_service' => 'Conditions d\'utilisation',
+ 'email_taken' => 'L\'adresse courriel existe déjà',
+ 'working' => 'En cours',
+ 'success' => 'Succès',
+ '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é, cela va supprimer définitivement vos données',
+ 'password' => 'Mot de passe',
+ 'pro_plan_product' => 'Plan Pro',
+ 'pro_plan_success' => 'Merci pour votre inscription ! Une fois la facture réglée, votre adhésion au Plan Pro commencera.',
+ 'unsaved_changes' => 'Vous avez des modifications non enregistrées',
+ 'custom_fields' => 'Champs personnalisés',
+ 'company_fields' => 'Champs de société',
+ 'client_fields' => 'Champs client',
+ 'field_label' => 'Nom du champ',
+ 'field_value' => 'Valeur du champ',
+ 'edit' => 'Éditer',
+ 'set_name' => 'Saisir le nom de votre entreprise',
+ 'view_as_recipient' => 'Voir en tant que destinataire',
+ 'product_library' => 'Inventaire',
+ 'product' => 'Produit',
+ 'products' => 'Produits',
+ 'fill_products' => 'Remplissage auto des produits',
+ 'fill_products_help' => 'La sélection d’un produit entrainera la MAJ de la description et du prix',
+ 'update_products' => 'Mise à jour auto des produits',
+ 'update_products_help' => 'La mise à jour d\'une facture entraîne la mise à jour des produits',
+ 'create_product' => 'Nouveau produit',
+ 'edit_product' => 'Éditer ce produit',
+ 'archive_product' => 'Archiver ce produit',
+ 'updated_product' => 'Produit mis à jour avec succès',
+ 'created_product' => 'Produit créé avec succès',
+ 'archived_product' => 'Produit archivé avec succès',
+ 'pro_plan_custom_fields' => ':link pour activer les champs personnalisés en rejoignant le Plan Pro',
+ 'advanced_settings' => 'Paramètres avancés',
+ 'pro_plan_advanced_settings' => ':link pour activer les paramètres avancés en rejoignant le Plan Pro',
+ 'invoice_design' => 'Modèle de facture',
+ 'specify_colors' => 'Spécifiez les couleurs',
+ 'specify_colors_label' => 'Sélectionnez les couleurs utilisées dans les factures',
+ 'chart_builder' => 'Concepteur de graphiques',
+ 'ninja_email_footer' => 'Créé par :site | Créez. Envoyez. Encaissez.',
+ 'go_pro' => 'Passez au Plan Pro',
+ 'quote' => 'Devis',
+ 'quotes' => 'Devis',
+ 'quote_number' => 'Devis numéro',
+ 'quote_number_short' => 'Devis #',
+ 'quote_date' => 'Date du devis',
+ 'quote_total' => 'Montant du devis',
+ 'your_quote' => 'Votre devis',
+ 'total' => 'Total',
+ 'clone' => 'Dupliquer',
+ 'new_quote' => 'Nouveau devis',
+ 'create_quote' => 'Créer un devis',
+ 'edit_quote' => 'Éditer ce devis',
+ 'archive_quote' => 'Archiver ce devis',
+ 'delete_quote' => 'Supprimer ce devis',
+ 'save_quote' => 'Enregistrer ce devis',
+ 'email_quote' => 'Envoyer ce devis par courriel',
+ 'clone_quote' => 'Cloner en devis',
+ 'convert_to_invoice' => 'Convertir en facture',
+ 'view_invoice' => 'Voir la facture',
+ 'view_client' => 'Voir le client',
+ 'view_quote' => 'Voir le devis',
+ 'updated_quote' => 'Devis mis à jour avec succès',
+ 'created_quote' => 'Devis créé avec succès',
+ 'cloned_quote' => 'Devis dupliqué avec succès',
+ 'emailed_quote' => 'Devis envoyé par courriel avec succès',
+ 'archived_quote' => 'Devis archivé avec succès',
+ 'archived_quotes' => ':count devis archivés avec succès',
+ 'deleted_quote' => 'Devis supprimé avec succès',
+ 'deleted_quotes' => ':count devis supprimés avec succès',
+ 'converted_to_invoice' => 'Devis converti en facture avec succès',
+ 'quote_subject' => 'Nouveau devis :number de :account',
+ 'quote_message' => 'Pour visionner votre devis de :amount, cliquez sur le lien ci-dessous.',
+ 'quote_link_message' => 'Pour visionner votre devis, cliquez sur le lien ci-dessous :',
+ 'notification_quote_sent_subject' => 'Le devis :invoice a été envoyé à :client',
+ 'notification_quote_viewed_subject' => 'Le devis :invoice a été visionné par :client',
+ 'notification_quote_sent' => 'Le devis :invoice de :amount a été envoyé au client :client.',
+ 'notification_quote_viewed' => 'Le devis :invoice de :amount a été visionné par le client :client.',
+ 'session_expired' => 'Votre session a expiré.',
+ 'invoice_fields' => 'Champs de facture',
+ 'invoice_options' => 'Options de facturation',
+ 'hide_paid_to_date' => 'Masquer "Payé à ce jour"',
+ 'hide_paid_to_date_help' => 'Afficher la ligne "Payé à ce jour" sur vos factures seulement une fois qu\'un paiement a été reçu.',
+ 'charge_taxes' => 'Taxe supplémentaire',
+ 'user_management' => 'Gestion des utilisateurs',
+ 'add_user' => 'Ajouter un utilisateur',
+ 'send_invite' => 'Envoyer une invitation',
+ 'sent_invite' => 'Invitation envoyée avec succès',
+ 'updated_user' => 'Utilisateur mis à jour avec succès',
+ 'invitation_message' => 'Vous avez été invité(e) par :invitor. ',
+ 'register_to_add_user' => 'Veuillez vous enregistrer pour ajouter un utilisateur',
+ 'user_state' => 'Province/Département',
+ 'edit_user' => 'Éditer l\'utilisateur',
+ 'delete_user' => 'Supprimer l\'utilisateur',
+ 'active' => 'Actif',
+ 'pending' => 'En attente',
+ 'deleted_user' => 'Utilisateur supprimé avec succès',
+ 'confirm_email_invoice' => 'Voulez-vous vraiment envoyer cette facture par courriel ?',
+ 'confirm_email_quote' => 'Voulez-vous vraiment envoyer ce devis par courriel ?',
+ 'confirm_recurring_email_invoice' => 'Les factures récurrentes sont activées, voulez-vous vraiment envoyer cette facture par courriel ?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Etes-vous sûr(e) de vouloir commencer la récurrence ?',
+ 'cancel_account' => 'Supprimer le compte',
+ 'cancel_account_message' => 'Attention : Ceci va supprimer définitivement votre compte, il n\'y a pas d\'annulation possible.',
+ 'go_back' => 'Retour',
+ 'data_visualizations' => 'Visualisation des données',
+ 'sample_data' => 'Données fictives présentées',
+ 'hide' => 'Cacher',
+ 'new_version_available' => 'Une nouvelle version de :releases_link est disponible. Vous utilisez v:user_version, la plus récente est v:latest_version',
+ 'invoice_settings' => 'Paramètres des factures',
+ 'invoice_number_prefix' => 'Préfixe du numéro de facture',
+ 'invoice_number_counter' => 'Compteur du numéro de facture',
+ 'quote_number_prefix' => 'Préfixe du numéro de devis',
+ 'quote_number_counter' => 'Compteur du numéro de devis',
+ 'share_invoice_counter' => 'Partager le compteur de facture',
+ 'invoice_issued_to' => 'Facture destinée à',
+ 'invalid_counter' => 'Pour éviter un éventuel conflit, merci de définir un préfixe pour le numéro de facture ou pour le numéro de devis',
+ 'mark_sent' => 'Marquer comme envoyé',
+ 'gateway_help_1' => ':link pour vous inscrire à Authorize.net.',
+ 'gateway_help_2' => ':link pour vous inscrire à Authorize.net.',
+ 'gateway_help_17' => ':link pour obtenir votre signature PayPal API.',
+ 'gateway_help_27' => ':link pour vous inscrire à 2Checkout.com. Pour permettre le suivi des paiements, veuillez définir :complete_link comme URL de redirection dans Mon compte > Gestion de site dans le portail de 2Checkout.',
+ 'gateway_help_60' => ':link pour créer un compte WePay.',
+ 'more_designs' => 'Plus de modèles',
+ 'more_designs_title' => 'Modèles de factures additionnels',
+ 'more_designs_cloud_header' => 'Passez au Plan Pro pour plus de modèles',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Acheter',
+ 'bought_designs' => 'Les nouveaux modèles ont été ajoutés avec succès',
+ 'sent' => 'Envoyé',
+ 'vat_number' => 'Numéro de TVA',
+ 'timesheets' => 'Feuilles de temps',
+ 'payment_title' => 'Entrez votre adresse de facturation et vos informations bancaires',
+ 'payment_cvv' => '*Numéro à 3 ou 4 chiffres au dos de votre carte',
+ 'payment_footer1' => '*L’adresse de facturation doit correspondre à celle enregistrée avec votre carte bancaire',
+ 'payment_footer2' => '*Merci de cliquer sur "Payer maintenant" une seule fois. Le processus peut prendre jusqu\'à 1 minute.',
+ 'id_number' => 'Numéro ID',
+ 'white_label_link' => 'Marque blanche',
+ 'white_label_header' => 'Marque blanche',
+ 'bought_white_label' => 'Licence marque blanche activée avec succès',
+ 'white_labeled' => 'Marque blanche',
+ 'restore' => 'Restaurer',
+ 'restore_invoice' => 'Restaurer la facture',
+ 'restore_quote' => 'Restaurer le devis',
+ 'restore_client' => 'Restaurer le client',
+ 'restore_credit' => 'Restaurer le crédit',
+ 'restore_payment' => 'Restaurer le paiement',
+ 'restored_invoice' => 'Facture restaurée avec succès',
+ 'restored_quote' => 'Devis restauré avec succès',
+ 'restored_client' => 'Client restauré avec succès',
+ 'restored_payment' => 'Paiement restauré avec succès',
+ 'restored_credit' => 'Crédit restauré avec succès',
+ 'reason_for_canceling' => 'Aidez-nous à améliorer notre site en nous disant pourquoi vous partez.',
+ 'discount_percent' => 'Pourcent',
+ 'discount_amount' => 'Montant',
+ 'invoice_history' => 'Historique des factures',
+ 'quote_history' => 'Historique des devis',
+ 'current_version' => 'Version actuelle',
+ 'select_version' => 'Choix de la version',
+ 'view_history' => 'Consulter l\'historique',
+ 'edit_payment' => 'Éditer le paiement',
+ 'updated_payment' => 'Paiement mis à jour avec succès',
+ 'deleted' => 'Supprimé',
+ 'restore_user' => 'Restaurer l’utilisateur',
+ 'restored_user' => 'Restaurer la commande',
+ 'show_deleted_users' => 'Voir les utilisateurs supprimés',
+ 'email_templates' => 'Modèles de courriel',
+ 'invoice_email' => 'Courriel de facture',
+ 'payment_email' => 'Courriel de paiement',
+ 'quote_email' => 'Courriel de devis',
+ 'reset_all' => 'Réinitialiser tout',
+ 'approve' => 'Accepter',
+ 'token_billing_type_id' => 'Jeton de paiement',
+ 'token_billing_help' => 'Stocker les détails de paiement avec WePay, Stripe, Braintree ou GoCardless.',
+ 'token_billing_1' => 'Désactiver',
+ 'token_billing_2' => 'Opt-in - Case à cocher affichée mais non sélectionnée',
+ 'token_billing_3' => 'Opt-out - Case à cocher affichée et sélectionnée',
+ 'token_billing_4' => 'Toujours',
+ 'token_billing_checkbox' => 'Enregistrer les informations de paiement',
+ 'view_in_gateway' => 'Voir sur :gateway',
+ 'use_card_on_file' => 'Utiliser la carte bancaire enregistrée',
+ 'edit_payment_details' => 'Modifier les détails de paiement',
+ 'token_billing' => 'Enregister les détails de paiement',
+ 'token_billing_secure' => 'Les données sont enregistrées de manière sécurisée par :link',
+ 'support' => 'Support',
+ 'contact_information' => 'Informations de contact',
+ '256_encryption' => 'Cryptage 256 bit',
+ 'amount_due' => 'Montant dû',
+ 'billing_address' => 'Adresse de facturation',
+ 'billing_method' => 'Méthode de facturation',
+ 'order_overview' => 'Résumé de la commande',
+ 'match_address' => '*L\'adresse doit correspondre à l\'adresse associée à la carte de crédit.',
+ 'click_once' => '*Merci de cliquer sur "Payer maintenant" une seule fois. Le processus peut prendre jusqu\'à 1 minute.',
+ 'invoice_footer' => 'Pied de facture',
+ 'save_as_default_footer' => 'Définir comme pied de facture par défaut',
+ 'token_management' => 'Gestion des jetons',
+ 'tokens' => 'Jetons',
+ 'add_token' => 'Ajouter un jeton',
+ 'show_deleted_tokens' => 'Voir les jetons supprimés',
+ 'deleted_token' => 'Jeton supprimé avec succès',
+ 'created_token' => 'Jeton créé avec succès',
+ 'updated_token' => 'Jeton mis à jour avec succès',
+ 'edit_token' => 'Éditer ce jeton',
+ 'delete_token' => 'Supprimer ce jeton',
+ 'token' => 'Jeton',
+ 'add_gateway' => 'Ajouter une passerelle',
+ 'delete_gateway' => 'Supprimer la passerelle',
+ 'edit_gateway' => 'Éditer la passerelle',
+ 'updated_gateway' => 'Passerelle mise à jour avec succès',
+ 'created_gateway' => 'Passerelle créée avec succès',
+ 'deleted_gateway' => 'Passerelle supprimée avec succès',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Carte bancaire',
+ 'change_password' => 'Changer le mot de passe',
+ 'current_password' => 'Mot de passe actuel',
+ 'new_password' => 'Nouveau mot de passe',
+ 'confirm_password' => 'Confirmer le mot de passe',
+ 'password_error_incorrect' => 'Le mot de passe actuel est incorrect.',
+ 'password_error_invalid' => 'Le nouveau mot de passe est invalide.',
+ 'updated_password' => 'Mot de passe mis à jour avec succès',
+ 'api_tokens' => 'Jetons d\'API',
+ 'users_and_tokens' => 'Utilisateurs & jetons',
+ 'account_login' => 'Connexion à votre compte',
+ 'recover_password' => 'Récupérer votre mot de passe',
+ 'forgot_password' => 'Mot de passe oublié ?',
+ 'email_address' => 'Adresse courriel',
+ 'lets_go' => 'Allons-y !',
+ 'password_recovery' => 'Récupération du mot de passe',
+ 'send_email' => 'Envoyer courriel',
+ 'set_password' => 'Définir le mot de passe',
+ 'converted' => 'Converti',
+ 'email_approved' => 'M\'envoyer un email quand un devis est approuvé',
+ 'notification_quote_approved_subject' => 'Le devis :invoice a été approuvé par :client',
+ 'notification_quote_approved' => 'Le client :client a approuvé le devis :invoice pour un montant de :amount.',
+ 'resend_confirmation' => 'Renvoyer le courriel de confirmation',
+ 'confirmation_resent' => 'Le courriel de confirmation a été renvoyé',
+ 'gateway_help_42' => ':link pour vous inscrire à BitPay
Remarque:. utiliser une clé API "Legacy", pas un jeton.',
+ 'payment_type_credit_card' => 'Carte de crédit',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Base de connaissances',
+ 'partial' => 'Partiel/dépôt',
+ 'partial_remaining' => ':partial de :balance',
+ 'more_fields' => 'Plus de champs',
+ 'less_fields' => 'Moins de champs',
+ 'client_name' => 'Nom du client',
+ 'pdf_settings' => 'Réglages PDF',
+ 'product_settings' => 'Réglages du produit',
+ 'auto_wrap' => 'Retour à la ligne automatique',
+ 'duplicate_post' => 'Attention: la page précédente a été soumise deux fois. La deuxième soumission a été ignorée.',
+ 'view_documentation' => 'Voir documentation',
+ 'app_title' => 'Outil de facturation gratuit & Open-Source',
+ 'app_description' => 'Invoice Ninja est une application gratuite et libre (open-source) pour faire des devis et facturer ses clients. Avec Invoice Ninja, vous pouvez facilement créer et envoyer de magnifiques factures depuis n’importe quel terminal possédant un accès à Internet. Vos clients peuvent imprimer vos factures, les télécharger en tant que fichiers pdf, et même vous payer en ligne via l\'application.',
+ 'rows' => 'lignes',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Sous-domaine',
+ 'provide_name_or_email' => 'Veuillez indiquer un nom ou un courriel',
+ 'charts_and_reports' => 'Graphiques & rapports',
+ 'chart' => 'Graphique',
+ 'report' => 'Rapport',
+ 'group_by' => 'Grouper par',
+ 'paid' => 'Payé',
+ 'enable_report' => 'Rapport',
+ 'enable_chart' => 'Graphiques',
+ 'totals' => 'Totaux',
+ 'run' => 'Lancer',
+ 'export' => 'Exporter',
+ 'documentation' => 'Documentation',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Récurrent',
+ 'last_invoice_sent' => 'Dernière facture envoyée le :date',
+ 'processed_updates' => 'Mise à jour effectuée avec succès',
+ 'tasks' => 'Tâches',
+ 'new_task' => 'Nouvelle tâche',
+ 'start_time' => 'Début',
+ 'created_task' => 'Tâche créée avec succès',
+ 'updated_task' => 'Tâche mise à jour avec succès',
+ 'edit_task' => 'Éditer la tâche',
+ 'archive_task' => 'Archiver la tâche',
+ 'restore_task' => 'Restaurer la tâche',
+ 'delete_task' => 'Supprimer la tâche',
+ 'stop_task' => 'Arrêter la tâche',
+ 'time' => 'Temps',
+ 'start' => 'Début',
+ 'stop' => 'Fin',
+ 'now' => 'Maintenant',
+ 'timer' => 'Compteur',
+ 'manual' => 'Manuel',
+ 'date_and_time' => 'Date & heure',
+ 'second' => 'Seconde',
+ 'seconds' => 'Secondes',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minutes',
+ 'hour' => 'Heure',
+ 'hours' => 'Heures',
+ 'task_details' => 'Détails de la tâche',
+ 'duration' => 'Durée',
+ 'end_time' => 'Heure de fin',
+ 'end' => 'Fin',
+ 'invoiced' => 'Facturé',
+ 'logged' => 'Connecté',
+ 'running' => 'En cours',
+ 'task_error_multiple_clients' => 'Les tâches ne peuvent pas appartenir à différents clients',
+ 'task_error_running' => 'Merci de tout d\'abord arrêter les tâches en cours',
+ 'task_error_invoiced' => 'Tâches déjà facturées',
+ 'restored_task' => 'Tâche restaurée avec succès',
+ 'archived_task' => 'Tâche archivée avec succès',
+ 'archived_tasks' => ':count tâches archivées avec succès',
+ 'deleted_task' => 'Tâche supprimée avec succès',
+ 'deleted_tasks' => ':count tâches supprimées avec succès',
+ 'create_task' => 'Créer une tâche',
+ 'stopped_task' => 'Tâche stoppée avec succès',
+ 'invoice_task' => 'Facturer la tâche',
+ 'invoice_labels' => 'Champs facture',
+ 'prefix' => 'Préfixe',
+ 'counter' => 'Compteur',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link pour vous inscrire à Dwolla.',
+ 'partial_value' => 'Doit être supérieur à zéro et inférieur au total',
+ 'more_actions' => 'Plus d\'actions',
+ 'pro_plan_title' => 'Plan NINJA PRO',
+ 'pro_plan_call_to_action' => 'Mettre à jour maintenant !',
+ 'pro_plan_feature1' => 'Créer un nombre illimité de clients',
+ 'pro_plan_feature2' => 'Accéder à 10 magnifiques designs de factures',
+ 'pro_plan_feature3' => 'URLs personnalisées - "VotreMarque.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Retirer "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Accès multi-utilisateur & suivi de l\'activité',
+ 'pro_plan_feature6' => 'Créer des Devis & Pro-forma',
+ 'pro_plan_feature7' => 'Personnaliser les champs Titre et Numérotation des factures',
+ 'pro_plan_feature8' => 'Option pour attacher des PDFs aux courriels pour le client',
+ 'resume' => 'Reprendre',
+ 'break_duration' => 'Pause',
+ 'edit_details' => 'Modifier',
+ 'work' => 'Travail',
+ 'timezone_unset' => 'Merci de :link pour définir votre fuseau horaire',
+ 'click_here' => 'cliquer ici',
+ 'email_receipt' => 'Envoyer le reçu par courriel au client',
+ 'created_payment_emailed_client' => 'Paiement créé avec succès et envoyé par courriel au client',
+ 'add_company' => 'Ajouter compte',
+ 'untitled' => 'Sans titre',
+ 'new_company' => 'Nouveau compte',
+ 'associated_accounts' => 'Comptes liés avec succès.',
+ 'unlinked_account' => 'Comptes dissociés avec succès.',
+ 'login' => 'Connexion',
+ 'or' => 'ou',
+ 'email_error' => 'Il y a eu un problème en envoyant le courriel',
+ 'confirm_recurring_timing' => 'Note : les courriels sont envoyés au début de l\'heure.',
+ 'confirm_recurring_timing_not_sent' => 'Note : les factures sont créées au début de l\'heure.',
+ 'payment_terms_help' => 'Définit la date d\'échéance de la facture par défaut ',
+ 'unlink_account' => 'Dissocier le compte',
+ 'unlink' => 'Dissocier',
+ 'show_address' => 'Montrer l\'adresse',
+ 'show_address_help' => 'Éxiger du client qu\'il fournisse une adresse de facturation',
+ 'update_address' => 'Mettre à jour l\'adresse',
+ 'update_address_help' => 'Mettre à jour l\'adresse du client avec les détails fournis',
+ 'times' => 'Horaires',
+ 'set_now' => 'Définir maintenant',
+ 'dark_mode' => 'Mode sombre',
+ 'dark_mode_help' => 'Fond sombre pour les barres latérale',
+ 'add_to_invoice' => 'Ajouter à la facture :invoice',
+ 'create_new_invoice' => 'Créer une nouvelle facture',
+ 'task_errors' => 'Merci de corriger les horaires conflictuels',
+ 'from' => 'De',
+ 'to' => 'À',
+ 'font_size' => 'Taille de police',
+ 'primary_color' => 'Couleur principale',
+ 'secondary_color' => 'Couleur secondaire',
+ 'customize_design' => 'Design personnalisé',
+ 'content' => 'Contenu',
+ 'styles' => 'Styles',
+ 'defaults' => 'Valeurs par défaut',
+ 'margins' => 'Marges',
+ 'header' => 'En-tête',
+ 'footer' => 'Pied de page',
+ 'custom' => 'Personnalisé',
+ 'invoice_to' => 'Facture pour',
+ 'invoice_no' => 'Facture n°',
+ 'quote_no' => 'Devis n°',
+ 'recent_payments' => 'Paiements récents',
+ 'outstanding' => 'Impayé',
+ 'manage_companies' => 'Gérer les sociétés',
+ 'total_revenue' => 'Revenu total',
+ 'current_user' => 'Utilisateur actuel',
+ 'new_recurring_invoice' => 'Nouvelle facture récurrente',
+ 'recurring_invoice' => 'Facture récurrente',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Il est trop tôt pour créer la prochaine facture récurrente, prévue pour le :date',
+ 'created_by_invoice' => 'Créé par :invoice',
+ 'primary_user' => 'Utilisateur principal',
+ 'help' => 'Aide',
+ 'customize_help' => 'Nous utilisons :pdfmake_link pour définir les styles de facture de manière déclarative. La :playground_link pdfmake fournit une excellente façon de voir la bibliothèque en action.
+ Si vous avez besoin d\'aide pour trouver quelque chose, postez une question sur notre :forum_link avec le design que vous utilisez.
',
+ 'playground' => 'cour de récréation',
+ 'support_forum' => 'forum de support',
+ 'invoice_due_date' => 'Date limite',
+ 'quote_due_date' => 'Date limite',
+ 'valid_until' => 'Valide jusqu\'au',
+ 'reset_terms' => 'Ràz conditions',
+ 'reset_footer' => 'Ràz pied de facture',
+ 'invoice_sent' => ':count facture envoyée',
+ 'invoices_sent' => ':count factures envoyées',
+ 'status_draft' => 'Brouillon',
+ 'status_sent' => 'Envoyée',
+ 'status_viewed' => 'Vue',
+ 'status_partial' => 'Partiel',
+ 'status_paid' => 'Payé',
+ 'status_unpaid' => 'Non payé',
+ 'status_all' => 'Tout',
+ 'show_line_item_tax' => 'Afficher les taxes de l\'article de la ligne pour chaque ligne',
+ 'iframe_url' => 'Site internet',
+ 'iframe_url_help1' => 'Copiez le code suivant sur une page de votre site.',
+ 'iframe_url_help2' => 'Vous pouvez tester la fonctionnalité en cliquant sur \'Voir en tant que destinataire\' pour une facture.',
+ 'auto_bill' => 'Facturation automatique',
+ 'military_time' => '24H',
+ 'last_sent' => 'Dernier envoi',
+ 'reminder_emails' => 'Emails de rappel',
+ 'templates_and_reminders' => 'Modèles & Rappels',
+ 'subject' => 'Sujet',
+ 'body' => 'Corps',
+ 'first_reminder' => 'Premier rappel',
+ 'second_reminder' => 'Second rappel',
+ 'third_reminder' => 'Troisième rappel',
+ 'num_days_reminder' => 'Jours après la date d\'échéance',
+ 'reminder_subject' => 'Rappel : Facture :invoice de :account',
+ 'reset' => 'Remettre à zéro',
+ 'invoice_not_found' => 'La facture demandée n\'est pas disponible',
+ 'referral_program' => 'Programme de parrainage',
+ 'referral_code' => 'Code de Parrainage',
+ 'last_sent_on' => 'Dernier envoi le :date',
+ 'page_expire' => 'Cette page va bientôt expirer, :click_here pour continuer à travailler',
+ 'upcoming_quotes' => 'Devis à venir',
+ 'expired_quotes' => 'Devis expirés',
+ 'sign_up_using' => 'Connexion avec',
+ 'invalid_credentials' => 'Ces informations de connexion sont invalides',
+ 'show_all_options' => 'Voir toutes les options',
+ 'user_details' => 'Utilisateur',
+ 'oneclick_login' => 'Comptes connectés',
+ 'disable' => 'Désactiver',
+ 'invoice_quote_number' => 'Numéro des devis & factures',
+ 'invoice_charges' => 'Majoration de facture',
+ 'notification_invoice_bounced' => 'Impossible d\'envoyer la facture :invoice à :contact.',
+ 'notification_invoice_bounced_subject' => 'Impossible d\'envoyer la facture :invoice',
+ 'notification_quote_bounced' => 'Impossible d\'envoyer le devis :invoice à :contact.',
+ 'notification_quote_bounced_subject' => 'Impossible d\'envoyer le devis :invoice',
+ 'custom_invoice_link' => 'Personnaliser le lien de la facture',
+ 'total_invoiced' => 'Total facturé',
+ 'open_balance' => 'Solde',
+ 'verify_email' => 'Cliquez sur le lien dans le courriel de confirmation de compte pour valider votre adresse e-Mail.',
+ 'basic_settings' => 'Paramètres de base',
+ 'pro' => 'Pro',
+ 'gateways' => 'Passerelles de paiement',
+ 'next_send_on' => 'Envoi suivant : :date',
+ 'no_longer_running' => 'La facturation n\'est pas planifiée pour être lancée',
+ 'general_settings' => 'Paramètres généraux',
+ 'customize' => 'Personnaliser',
+ 'oneclick_login_help' => 'Connectez un compte pour vous connecter sans votre mot de passe',
+ 'referral_code_help' => 'Gagnez de l\'argent en partageant notre outil en ligne',
+ 'enable_with_stripe' => 'Activer | Stripe est requis',
+ 'tax_settings' => 'Réglages des taxes',
+ 'create_tax_rate' => 'Ajouter un taux de taxe.',
+ 'updated_tax_rate' => 'Taux de taxe mis à jour avec succès',
+ 'created_tax_rate' => 'Taux de taxe créé avec succès',
+ 'edit_tax_rate' => 'Éditer le taux de taxe',
+ 'archive_tax_rate' => 'Archiver le taux de taxe',
+ 'archived_tax_rate' => 'Taux de taxe archivé avec succès',
+ 'default_tax_rate_id' => 'Taux de taxe par défaut',
+ 'tax_rate' => 'Taux de taxe',
+ 'recurring_hour' => 'Heure récurrente',
+ 'pattern' => 'Pattern',
+ 'pattern_help_title' => 'Aide Pattern',
+ 'pattern_help_1' => 'Créer un numéro personnalisé en précisant un modèle personnalisé',
+ 'pattern_help_2' => 'Variables disponibles :',
+ 'pattern_help_3' => 'Par exemple, :example sera converti en :value',
+ 'see_options' => 'Voir les options',
+ 'invoice_counter' => 'Compteur de factures',
+ 'quote_counter' => 'Compteur de devis',
+ 'type' => 'Type',
+ 'activity_1' => ':user a créé le client :client',
+ 'activity_2' => ':user a archivé le client :client',
+ 'activity_3' => ':user a supprimé le client :client',
+ 'activity_4' => ':user a créé la facture :invoice',
+ 'activity_5' => ':user a mis à jour la facture :invoice',
+ 'activity_6' => ':user a envoyé la facture :invoice par courriel à :contact',
+ 'activity_7' => ':contact a lu la facture :invoice',
+ 'activity_8' => ':user a archivé la facture :invoice',
+ 'activity_9' => ':user a supprimé la facture :invoice',
+ 'activity_10' => ':contact a saisi un paiement de :payment pour :invoice',
+ 'activity_11' => ':user a mis à jour le moyen de paiement :payment',
+ 'activity_12' => ':user a archivé le moyen de paiement :payment',
+ 'activity_13' => ':user a supprimé le moyen de paiement :payment',
+ 'activity_14' => ':user a entré le crédit :credit',
+ 'activity_15' => ':user a mis à jour le crédit :credit',
+ 'activity_16' => ':user a archivé le crédit :credit',
+ 'activity_17' => ':user a supprimé le crédit :credit',
+ 'activity_18' => ':user a créé le devis :quote',
+ 'activity_19' => ':user a mis à jour le devis :quote',
+ 'activity_20' => ':user a envoyé le devis :quote à :contact',
+ 'activity_21' => ':contact a lu le devis :quote',
+ 'activity_22' => ':user a archivé le devis :quote',
+ 'activity_23' => ':user a supprimé le devis :quote',
+ 'activity_24' => ':user a restauré le devis :quote',
+ 'activity_25' => ':user a restauré la facture :invoice',
+ 'activity_26' => ':user a restauré le client :client',
+ 'activity_27' => ':user a restauré le paiement :payment',
+ 'activity_28' => ':user a restauré le crédit :credit',
+ 'activity_29' => ':contact a approuvé le devis :quote',
+ 'activity_30' => ':user a créé le fournisseur :vendor',
+ 'activity_31' => ':user a archivé le fournisseur :vendor',
+ 'activity_32' => ':user a supprimé le fournisseur :vendor',
+ 'activity_33' => ':user a restauré le fournisseur :vendor',
+ 'activity_34' => ':user a créé la dépense :expense',
+ 'activity_35' => ':user a archivé la dépense :expense',
+ 'activity_36' => ':user a supprimé la dépense :expense',
+ 'activity_37' => ':user a restauré la dépense :expense',
+ 'activity_42' => ':user a créé la tâche :task',
+ 'activity_43' => ':user a mis à jour la tâche :task',
+ 'activity_44' => ':user a archivé la tâche :task',
+ 'activity_45' => ':user a supprimé la tâche :task',
+ 'activity_46' => ':user a restauré la tâche :task',
+ 'activity_47' => ':user a mis à jour la dépense :expense',
+ 'payment' => 'Paiement',
+ 'system' => 'Système',
+ 'signature' => 'Signature email',
+ 'default_messages' => 'Messages par défaut',
+ 'quote_terms' => 'Conditions des devis',
+ 'default_quote_terms' => 'Conditions des devis par défaut',
+ 'default_invoice_terms' => 'Définir comme conditions de facturation par défaut',
+ 'default_invoice_footer' => 'Définir par défaut',
+ 'quote_footer' => 'Pied de page des devis',
+ 'free' => 'Gratuit',
+ 'quote_is_approved' => 'Approuvé avec succès',
+ 'apply_credit' => 'Appliquer crédit',
+ 'system_settings' => 'Paramètres système',
+ 'archive_token' => 'Archiver jeton',
+ 'archived_token' => 'Jeton archivé avec succès',
+ 'archive_user' => 'Archiver utilisateur',
+ 'archived_user' => 'Utilisateur archivé avec succès',
+ 'archive_account_gateway' => 'Archiver passerelle',
+ 'archived_account_gateway' => 'Passerelle archivée avec succès',
+ 'archive_recurring_invoice' => 'Archiver facture récurrente',
+ 'archived_recurring_invoice' => 'Facture récurrente archivée avec succès',
+ 'delete_recurring_invoice' => 'Supprimer la facture récurrente',
+ 'deleted_recurring_invoice' => 'Facture récurrente supprimée avec succès',
+ 'restore_recurring_invoice' => 'Restaurer la facture récurrente',
+ 'restored_recurring_invoice' => 'Facture récurrente restaurée avec succès',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archivé',
+ 'untitled_account' => 'Société sans nom',
+ 'before' => 'Avant',
+ 'after' => 'Après',
+ 'reset_terms_help' => 'Remettre les conditions par défaut',
+ 'reset_footer_help' => 'Remettre le pied de facture par défaut',
+ 'export_data' => 'Exporter données',
+ 'user' => 'Utilisateur',
+ 'country' => 'Pays',
+ 'include' => 'Inclure',
+ 'logo_too_large' => 'Votre logo fait :size, pour de meilleures performance PDF nous vous suggérons d\'envoyer une image de moins de 200Ko',
+ 'import_freshbooks' => 'Importer depuis FreshBooks',
+ 'import_data' => 'Importer des données',
+ 'source' => 'Source',
+ 'csv' => 'CSV',
+ 'client_file' => 'Fichier de clients',
+ 'invoice_file' => 'Fichier de factures',
+ 'task_file' => 'Fichier de tâches',
+ 'no_mapper' => 'Mappage invalide pour ce fichier',
+ 'invalid_csv_header' => 'En-tête du fichier CSV invalide',
+ 'client_portal' => 'Portail client',
+ 'admin' => 'Admin',
+ 'disabled' => 'Désactivé',
+ 'show_archived_users' => 'Afficher les utilisateurs archivés',
+ 'notes' => 'Notes',
+ 'invoice_will_create' => 'la facture sera créée',
+ 'invoices_will_create' => 'les factures seront créées',
+ 'failed_to_import' => 'Les enregistrements suivants n\'ont pas pu être importés. Soit ils existent déjà, soit il leur manque des champs requis.',
+ 'publishable_key' => 'Clé publique',
+ 'secret_key' => 'Clé secrète',
+ 'missing_publishable_key' => 'Saisissez votre clé publique Stripe pour un processus de commande amélioré',
+ 'email_design' => 'Modèle de courriel',
+ 'due_by' => 'A échéanche du :date',
+ 'enable_email_markup' => 'Activer le balisage',
+ 'enable_email_markup_help' => 'Rendez le règlement de vos clients plus facile en ajoutant les markup schema.org à vos emails.',
+ 'template_help_title' => 'Aide Modèles',
+ 'template_help_1' => 'Variable disponibles :',
+ 'email_design_id' => 'Style de courriel',
+ 'email_design_help' => 'Rendez vos courriels plus professionnels avec des mises en page en HTML.',
+ 'plain' => 'Brut',
+ 'light' => 'Clair',
+ 'dark' => 'Sombre',
+ 'industry_help' => 'Utilisé dans le but de fournir des statistiques la taille et le secteur de l\'entreprise.',
+ 'subdomain_help' => 'Définissez un sous-domaine ou affichez la facture sur votre propre site web.',
+ 'website_help' => 'Affiche la facture dans un iFrame sur votre site web',
+ 'invoice_number_help' => 'Spécifier un préfixe ou utiliser un modèle personnalisé pour la création du numéro de facture.',
+ 'quote_number_help' => 'Spécifier un préfixe ou utiliser un modèle personnalisé pour la création du numéro de devis.',
+ 'custom_client_fields_helps' => 'Ajouter un champ lors de la création d\'un client et éventuellement afficher l\'étiquette et la valeur sur le PDF.',
+ 'custom_account_fields_helps' => 'Ajouter un label et une valeur aux détails de la société dur le PDF.',
+ 'custom_invoice_fields_helps' => 'Ajouter un champ lors de la création d\'une facture et éventuellement afficher l\'étiquette et la valeur sur le PDF.',
+ 'custom_invoice_charges_helps' => 'Ajouter une entrée de texte à la page de création/édition de devis et inclure le supplément au sous-toal de la facture.',
+ 'token_expired' => 'Validation jeton expiré. Veuillez réessayer.',
+ 'invoice_link' => 'Lien vers la facture',
+ 'button_confirmation_message' => 'Cliquez pour confirmer votre adresse e-mail.',
+ 'confirm' => 'Confirmer',
+ 'email_preferences' => 'Préférences de mail',
+ 'created_invoices' => ':count facture(s) créée(s) avec succès',
+ 'next_invoice_number' => 'Le prochain numéro de facture est :number.',
+ 'next_quote_number' => 'Le prochain numéro de devis est :number.',
+ 'days_before' => 'jours avant le',
+ 'days_after' => 'jours après le',
+ 'field_due_date' => 'date d\'échéance',
+ 'field_invoice_date' => 'date de la facture',
+ 'schedule' => 'Planification',
+ 'email_designs' => 'Modèles de courriel',
+ 'assigned_when_sent' => 'Affecté lors de l\'envoi',
+ 'white_label_purchase_link' => 'Acheter une licence en marque blanche',
+ 'expense' => 'Dépense',
+ 'expenses' => 'Dépenses',
+ 'new_expense' => 'Saisir une dépense',
+ 'enter_expense' => 'Nouvelle dépense',
+ 'vendors' => 'Fournisseurs',
+ 'new_vendor' => 'Nouveau fournisseur',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Fournisseur',
+ 'edit_vendor' => 'Éditer le fournisseur',
+ 'archive_vendor' => 'Archiver ce fournisseur',
+ 'delete_vendor' => 'Supprimer ce fournisseur',
+ 'view_vendor' => 'Voir le fournisseur',
+ 'deleted_expense' => 'Dépense supprimée avec succès',
+ 'archived_expense' => 'Dépense archivée avec succès',
+ 'deleted_expenses' => 'Dépenses supprimées avec succès',
+ 'archived_expenses' => 'Dépenses archivées avec succès',
+ 'expense_amount' => 'Montant de la dépense',
+ 'expense_balance' => 'Solde de la dépense',
+ 'expense_date' => 'Date de la dépense',
+ 'expense_should_be_invoiced' => 'Cette dépense doit elle être facturée ?',
+ 'public_notes' => 'Note publique',
+ 'invoice_amount' => 'Montant de la facture',
+ 'exchange_rate' => 'Taux de change',
+ 'yes' => 'Oui',
+ 'no' => 'Non',
+ 'should_be_invoiced' => 'Devrait être facturé',
+ 'view_expense' => 'Voir la dépense # :expense',
+ 'edit_expense' => 'Éditer la dépensee',
+ 'archive_expense' => 'Archiver la dépense',
+ 'delete_expense' => 'Supprimer la dépense',
+ 'view_expense_num' => 'Dépense # :expense',
+ 'updated_expense' => 'Dépense mise à jour avec succès',
+ 'created_expense' => 'Dépense créée avec succès',
+ 'enter_expense' => 'Nouvelle dépense',
+ 'view' => 'Voir',
+ 'restore_expense' => 'Restaurer la dépense',
+ 'invoice_expense' => 'Facturer la dépense',
+ 'expense_error_multiple_clients' => 'La dépense ne peut pas être attribuée à plusieurs clients',
+ 'expense_error_invoiced' => 'La dépense à déjà été facturée',
+ 'convert_currency' => 'Convertir la devise',
+ 'num_days' => 'Nombre de jours',
+ 'create_payment_term' => 'Créer une condition de paiement',
+ 'edit_payment_terms' => 'Éditer condition de paiement',
+ 'edit_payment_term' => 'Éditer la condition de paiement',
+ 'archive_payment_term' => 'Archiver la condition de paiement',
+ 'recurring_due_dates' => 'Dates d\'échéance de facture récurrente',
+ 'recurring_due_date_help' => 'Définit automatiquement une date d\'échéance pour la facture.
+ Les factures avec un cycle mensuel ou annuel définies pour être dues le jour ou avant le jour où elles sont créées seront dues le mois suivant. Les factures définies pour être dues le 29 ou le 30 dans des mois qui n\'ont pas ce jour seront dues le dernier jour du mois.
+ Les factures avec un cycle hebdomadaire définies pour être dues le jour de la semaine où elles sont créées seront dues la semaine suivante.
+ Par exemple :
+
+ - Aujourd\'hui est le 15, la date d\'échéance est le 1er du mois. La date d\'échéance devrait logiquement être le 1er du mois suivant.
+ - Aujourd\'hui est le 15, la date d\'échéance est le dernier jour du mois. La date d\'échéance sera le dernier jour de ce mois.
+
+ - Aujourd\'hui est le 15, la date d\'échéance est le 15ème jour du mois. La date d\'échéance sera le 15ème jour du mois suivant.
+
+ - Aujourd\'hui est le vendredi, la date d\'échéance est le 1er vendredi après. La date d\'échéance sera vendredi prochain, pas aujourd\'hui.
+
+
',
+ 'due' => 'Dû',
+ 'next_due_on' => 'Prochaine échéance : :date',
+ 'use_client_terms' => 'Utiliser les conditions de paiement du client',
+ 'day_of_month' => ':ordinal jour du mois',
+ 'last_day_of_month' => 'Dernier jour du mois',
+ 'day_of_week_after' => ':ordinal :day after',
+ 'sunday' => 'Dimanche',
+ 'monday' => 'Lundi',
+ 'tuesday' => 'Mardi',
+ 'wednesday' => 'Mercredi',
+ 'thursday' => 'Jeudi',
+ 'friday' => 'Vendredi',
+ 'saturday' => 'Samedi',
+ 'header_font_id' => 'Police de l\'en-tête',
+ 'body_font_id' => 'Police du corps',
+ 'color_font_help' => 'Note : la couleur et la police primaires sont également utilisées dans le portail client et le design des emails.',
+ 'live_preview' => 'Aperçu',
+ 'invalid_mail_config' => 'Impossible d\'envoyer le mail, veuillez vérifier que les paramètres de messagerie sont corrects.',
+ 'invoice_message_button' => 'Pour visionner votre facture de :amount, cliquez sur le bouton ci-dessous.',
+ 'quote_message_button' => 'Pour visionner votre devis de :amount, cliquez sur le lien ci-dessous.',
+ 'payment_message_button' => 'Merci pour votre paiement de :amount.',
+ 'payment_type_direct_debit' => 'Prélèvement',
+ 'bank_accounts' => 'Comptes bancaires',
+ 'add_bank_account' => 'Ajouter un compte bancaire',
+ 'setup_account' => 'Paraméter le compte',
+ 'import_expenses' => 'Importer les dépenses',
+ 'bank_id' => 'Banque',
+ 'integration_type' => 'Type d\'intégration',
+ 'updated_bank_account' => 'Compte bancaire mis à jour avec succès',
+ 'edit_bank_account' => 'Éditer le compte bancaire',
+ 'archive_bank_account' => 'Archiver le compte bancaire',
+ 'archived_bank_account' => 'Compte bancaire archivé avec succès',
+ 'created_bank_account' => 'Compte bancaire créé avec succès',
+ 'validate_bank_account' => 'Valider le compte bancaire',
+ 'bank_password_help' => 'Note : votre mot de passe est transmis de manière sécurisée et jamais stocké sur nos serveurs',
+ 'bank_password_warning' => 'Attention: votre mot de passe peut être transmis en clair, pensez à activer HTTPS.',
+ 'username' => 'Nom d\'utilisateur',
+ 'account_number' => 'N° de compte',
+ 'account_name' => 'Nom du compte',
+ 'bank_account_error' => 'Impossible de récupérer les détails du compte, veuillez vérifier vos informations d\'identification.',
+ 'status_approved' => 'Approuvé',
+ 'quote_settings' => 'Paramètres des devis',
+ 'auto_convert_quote' => 'Convertir automatiquement',
+ 'auto_convert_quote_help' => 'Convertir automatiquement un devis en facture dès qu\'il est approuvé par le client.',
+ 'validate' => 'Valider',
+ 'info' => 'Info',
+ 'imported_expenses' => ':count_vendors fournisseur(s) et :count_expenses dépense(s) créé[e](s) avec succès',
+ 'iframe_url_help3' => 'Note : si vous prévoyez d\'accepter les cartes de crédit, nous vous recommandons d\'activer HTTPS sur votre site.',
+ 'expense_error_multiple_currencies' => 'Les dépenses ne peuvent avoir plusieurs devises.',
+ 'expense_error_mismatch_currencies' => 'La devise du client n\'est pas la même que celle de la dépense.',
+ 'trello_roadmap' => 'Feuille de route Trello',
+ 'header_footer' => 'En-tête/Pied de page',
+ 'first_page' => 'Première page',
+ 'all_pages' => 'Toutes les pages',
+ 'last_page' => 'Dernière page',
+ 'all_pages_header' => 'Voir les en-têtes sur',
+ 'all_pages_footer' => 'Voir les pieds de page sur',
+ 'invoice_currency' => 'Devise de la facture',
+ 'enable_https' => 'Nous vous recommandons fortement d\'activer le HTTPS si vous acceptez les paiements en ligne.',
+ 'quote_issued_to' => 'Devis à l\'attention de',
+ 'show_currency_code' => 'Code de la devise',
+ 'free_year_message' => 'Votre compte a été mis à niveau vers le plan pro pour une année sans frais.',
+ 'trial_message' => 'Votre compte va être crédité d\'un essai gratuit de 2 semaines de notre Plan pro.',
+ 'trial_footer' => 'Il vous reste :count jours d\'essai sur notre offre Pro, :link modifiez votre abonnement maintenant.',
+ 'trial_footer_last_day' => 'C\'est votre dernier jour d\'essai sur notre offre Pro, :link modifiez votre abonnement maintenant.',
+ 'trial_call_to_action' => 'Commencer l\'essai gratuit',
+ 'trial_success' => 'Crédit d\'un essai gratuit de 2 semaines de notre Plan pro avec succès',
+ 'overdue' => 'Impayé',
+
+
+ 'white_label_text' => 'Achetez une licence en marque blanche d\'UN AN au coût de $:price pour retirer la marque de Invoice Ninja des factures et du portail client.',
+ 'user_email_footer' => 'Pour modifier vos paramètres de notification par courriel, veuillez visiter :link',
+ 'reset_password_footer' => 'Si vous n\'avez pas effectué de demande de réinitalisation de mot de passe veuillez contacter notre support : :email',
+ 'limit_users' => 'Désolé, ceci excédera la limite de :limit utilisateurs',
+ 'more_designs_self_host_header' => 'Obtenez 6 modèles de factures additionnels pour seulement $:price',
+ 'old_browser' => 'Veuillez utiliser un :link',
+ 'newer_browser' => 'navigateur plus récent',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connecter un compte bancaire pour importer automatiquement les dépenses et créer des fournisseurs. Supporte Amercian Express et :link.',
+ 'us_banks' => 'plus de 400 banques américaines',
+
+ 'pro_plan_remove_logo' => ':link pour supprimer le logo Invoice Ninja en souscrivant au Plan Pro',
+ 'pro_plan_remove_logo_link' => 'Cliquez ici',
+ 'invitation_status_sent' => 'Envoyé',
+ 'invitation_status_opened' => 'Ouvert',
+ 'invitation_status_viewed' => 'Consulté',
+ 'email_error_inactive_client' => 'Les mails ne peuvent être envoyés aux clients inactifs',
+ 'email_error_inactive_contact' => 'Les mails ne peuvent être envoyés aux contacts inactifs',
+ 'email_error_inactive_invoice' => 'Les mails ne peuvent être envoyés aux factures inactives',
+ 'email_error_inactive_proposal' => 'Les courriels ne peuvent pas être envoyés aux propositions inactives',
+ 'email_error_user_unregistered' => 'Veuillez vous inscrire afin d\'envoyer des mails',
+ 'email_error_user_unconfirmed' => 'Veuillez confirmer votre compte afin de permettre l\'envoi de mail',
+ 'email_error_invalid_contact_email' => 'Adresse mail du contact invalide',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'Liste des factures',
+ 'list_clients' => 'Liste des clients',
+ 'list_quotes' => 'Liste des devis',
+ 'list_tasks' => 'Liste des tâches',
+ 'list_expenses' => 'Liste des dépenses',
+ 'list_recurring_invoices' => 'Liste des factures récurrentes',
+ 'list_payments' => 'Liste des paiements',
+ 'list_credits' => 'Liste des crédits',
+ 'tax_name' => 'Nom de la taxe',
+ 'report_settings' => 'Paramètres de rapport',
+ 'search_hotkey' => 'la racine est /',
+
+ 'new_user' => 'Nouvel utilisateur',
+ 'new_product' => 'Nouvel article',
+ 'new_tax_rate' => 'Nouveau taux de taxe',
+ 'invoiced_amount' => 'Montant de la facture',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ '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écifier un préfixe à ajouter au numéro de facture pour les factures récurrentes.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Protéger les factures avec un mot de passe',
+ 'enable_portal_password_help' => 'Autoriser la création d\'un mot de passe pour chaque contact. Si un mot de passe est créé, le contact devra entrer un mot de passe avant de voir les factures.',
+ 'send_portal_password' => 'Générer automatiquement',
+ 'send_portal_password_help' => 'Si aucun mot de passe n\'est créé, un sera généré et envoyé avec la première facture.',
+
+ 'expired' => 'Expiré',
+ 'invalid_card_number' => 'Le numéro de carte bancaire est invalide.',
+ 'invalid_expiry' => 'La date d\'expiration est invalide.',
+ 'invalid_cvv' => 'Le code de sécurité est incorrect.',
+ 'cost' => 'Coût',
+ 'create_invoice_for_sample' => 'Note : créez votre première facture pour voir la prévisualisation ici.',
+
+ // User Permissions
+ 'owner' => 'Propriétaire',
+ 'administrator' => 'Administrateur',
+ 'administrator_help' => 'Permettre à l\'utilisateur de gérer les utilisateurs, modifier les paramètres et de modifier tous les enregistrements',
+ 'user_create_all' => 'Créer des clients, des factures, etc.',
+ 'user_view_all' => 'Voir tous les clients, les factures, etc.',
+ 'user_edit_all' => 'Modifier tous les clients, les factures, etc.',
+ 'gateway_help_20' => ':link pour vous inscrire à Sage Pay.',
+ 'gateway_help_21' => ':link pour vous inscrire à Sage Pay.',
+ 'partial_due' => 'Solde partiel',
+ 'restore_vendor' => 'Restaurer le fournisseur',
+ 'restored_vendor' => 'Fournisseur restauré avec succès',
+ 'restored_expense' => 'Dépense restaurée avec succès',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Autoriser l\'utilisateur à créer et éditer tous les enregistrements',
+ 'view_all_help' => 'Autoriser l\'utilisateur à voir les enregistrements qu\'il n\'a pas créés',
+ 'edit_all_help' => 'Autoriser l\'utilisateur à modifier les enregistrements qu\'il n\'a pas créés',
+ 'view_payment' => 'Voir le paiement',
+
+ 'january' => 'Janvier',
+ 'february' => 'Février',
+ 'march' => 'Mars',
+ 'april' => 'Avril',
+ 'may' => 'Mai',
+ 'june' => 'Juin',
+ 'july' => 'Juillet',
+ 'august' => 'Août',
+ 'september' => 'Septembre',
+ 'october' => 'Octobre',
+ 'november' => 'Novembre',
+ 'december' => 'Décembre',
+
+ // Documents
+ 'documents_header' => 'Documents :',
+ 'email_documents_header' => 'Documents :',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Documents de devis',
+ 'invoice_documents' => 'Documents de facture',
+ 'expense_documents' => 'Documents de dépense',
+ 'invoice_embed_documents' => 'Documents intégrés',
+ 'invoice_embed_documents_help' => 'Inclure l\'image attachée dans la facture.',
+ 'document_email_attachment' => 'Attacher les documents',
+ 'ubl_email_attachment' => 'Joindre UBL',
+ 'download_documents' => 'Télécharger les Documents (:size)',
+ 'documents_from_expenses' => 'Des dépenses :',
+ 'dropzone_default_message' => 'Glisser le fichier ou cliquer pour envoyer',
+ 'dropzone_fallback_message' => 'Votre navigateur ne supporte pas le drag\'n\'drop de fichier pour envoyer.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'Fichier trop gros ({{filesize}}Mo). Max filesize: {{maxFilesize}}Mo.',
+ 'dropzone_invalid_file_type' => 'Vous ne pouvez pas envoyer de fichiers de ce type.',
+ 'dropzone_response_error' => 'Le serveur a répondu avec le code {{statusCode}}.',
+ 'dropzone_cancel_upload' => 'Annuler l\'envoi',
+ 'dropzone_cancel_upload_confirmation' => 'Etes-vous sûr de vouloir annuler cet envoi ?',
+ 'dropzone_remove_file' => 'Supprimer le fichier',
+ 'documents' => 'Documents',
+ 'document_date' => 'Date de Document',
+ 'document_size' => 'Taille',
+
+ 'enable_client_portal' => 'Portail client',
+ 'enable_client_portal_help' => 'Afficher/masquer le portail client.',
+ 'enable_client_portal_dashboard' => 'Tableau de bord',
+ 'enable_client_portal_dashboard_help' => 'Afficher/masquer la page du tableau de bord dans le portail client.',
+
+ // Plans
+ 'account_management' => 'Gestion des comptes',
+ 'plan_status' => 'Statut du Plan',
+
+ 'plan_upgrade' => 'Mettre à niveau',
+ 'plan_change' => 'Changer de plan',
+ 'pending_change_to' => 'Change vers',
+ 'plan_changes_to' => ':plan au :date',
+ 'plan_term_changes_to' => ':plan (:term) le :date',
+ 'cancel_plan_change' => 'Annuler la modification',
+ 'plan' => 'Plan',
+ 'expires' => 'Expire',
+ 'renews' => 'Renouvellement',
+ 'plan_expired' => ':plan Plan Expiré',
+ 'trial_expired' => ':plan Essai du Plan terminé',
+ 'never' => 'Jamais',
+ 'plan_free' => 'Gratuit',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Entreprise',
+ 'plan_white_label' => 'Auto hébergé (Marque blanche)',
+ 'plan_free_self_hosted' => 'Auto hébergé (Gratuit)',
+ 'plan_trial' => 'Essai',
+ 'plan_term' => 'Terme',
+ 'plan_term_monthly' => 'Mensuel',
+ 'plan_term_yearly' => 'Annuel',
+ 'plan_term_month' => 'Mois',
+ 'plan_term_year' => 'An',
+ 'plan_price_monthly' => '$:price/Mois',
+ 'plan_price_yearly' => '$:price/An',
+ 'updated_plan' => 'Paramètres du plan mis à jour',
+ 'plan_paid' => 'Terme commencé',
+ 'plan_started' => 'Début du Plan',
+ 'plan_expires' => 'Fin du Plan',
+
+ 'white_label_button' => 'Marque blanche',
+
+ 'pro_plan_year_description' => 'Engagement d\'un an dans le Plan Invoice Ninja Pro.',
+ 'pro_plan_month_description' => 'Engagement d\'un mois dans le Plan Invoice Ninja Pro.',
+ 'enterprise_plan_product' => 'Plan Entreprise',
+ 'enterprise_plan_year_description' => 'Engagement d\'un an dans le Plan Invoice Ninja Entreprise.',
+ 'enterprise_plan_month_description' => 'Engagement d\'un mois dans le Plan Invoice Ninja Entreprise.',
+ 'plan_credit_product' => 'Crédit',
+ 'plan_credit_description' => 'Crédit pour temps inutilisé',
+ 'plan_pending_monthly' => 'Basculera en mensuel le :date',
+ 'plan_refunded' => 'Un remboursement a été émis.',
+
+ 'live_preview' => 'Aperçu',
+ 'page_size' => 'Taille de Page',
+ 'live_preview_disabled' => 'L\'aperçu en direct a été désactivé pour prendre en charge la police sélectionnée',
+ 'invoice_number_padding' => 'Remplissage',
+ 'preview' => 'Prévisualisation',
+ 'list_vendors' => 'Liste des fournisseurs',
+ 'add_users_not_supported' => 'Passez au Plan Enterprise pour ajouter des utilisateurs supplémentaires à votre compte.',
+ 'enterprise_plan_features' => 'Le plan entreprise ajoute le support pour de multiples utilisateurs ainsi que l\'ajout de pièces jointes, :link pour voir la liste complète des fonctionnalités.',
+ 'return_to_app' => 'Retourner à l\'App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Remboursement du paiement',
+ 'refund_max' => 'Max :',
+ 'refund' => 'Remboursement',
+ 'are_you_sure_refund' => 'Rembourser les paiements sélectionnés ?',
+ 'status_pending' => 'En attente',
+ 'status_completed' => 'Validé',
+ 'status_failed' => 'Échoué',
+ 'status_partially_refunded' => 'Remboursement partiel',
+ 'status_partially_refunded_amount' => ':amount remboursé',
+ 'status_refunded' => 'Remboursé',
+ 'status_voided' => 'Annulé',
+ 'refunded_payment' => 'Paiement remboursé',
+ 'activity_39' => ':user a annulé un paiement de :payment_amount (:payment)',
+ 'activity_40' => ':user a remboursé :adjustment d\'un paiement de :payment_amount (:payment)',
+ 'card_expiration' => 'Exp : :expires',
+
+ 'card_creditcardother' => 'Inconnu',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accepter les transferts bancaires américains',
+ 'stripe_ach_help' => 'Le support de CCA (ACH) doit également être activé dans :link.',
+ 'ach_disabled' => 'Une autre passerelle est déjà configurée pour le prélèvement automatique.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'ID du client',
+ 'secret' => 'Clé secrète',
+ 'public_key' => 'Clé publique',
+ 'plaid_optional' => '(facultatif)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Autres fournisseurs',
+ 'country_not_supported' => 'Ce pays n\'est pas géré par notre système.',
+ 'invalid_routing_number' => 'Le B.I.C. est invalide',
+ 'invalid_account_number' => 'Le numéro de compte bancaire est invalide',
+ 'account_number_mismatch' => 'Les numéros du compte bancaire ne correspondent pas.',
+ 'missing_account_holder_type' => 'Merci de saisir un compte particulier ou entreprise',
+ 'missing_account_holder_name' => 'Merci de saisir un nom de titulaire de compte',
+ 'routing_number' => 'B.I.C.',
+ 'confirm_account_number' => 'Confirmez votre numéro de compte bancaire',
+ 'individual_account' => 'Compte particulier',
+ 'company_account' => 'Compte entreprise',
+ 'account_holder_name' => 'Nom du titulaire du compte',
+ 'add_account' => 'Ajouter un compte',
+ 'payment_methods' => 'Moyen de paiement',
+ 'complete_verification' => 'Compléter la vérification',
+ 'verification_amount1' => 'Montant 1',
+ 'verification_amount2' => 'Montant 2',
+ 'payment_method_verified' => 'Vérification réussie',
+ 'verification_failed' => 'Vérification échouée',
+ 'remove_payment_method' => 'Supprimer le moyen de paiement',
+ 'confirm_remove_payment_method' => 'Souhaitez-vous vraiment retirer cette méthode de paiement ?',
+ 'remove' => 'Supprimer',
+ 'payment_method_removed' => 'Supprimer le moyen de paiement',
+ 'bank_account_verification_help' => 'Nous avons fait deux dépôts dans votre compte avec la description "VERIFICATION". Ces dépôts prendront 1-2 jours ouvrables pour apparaître sur votre relevé. Veuillez entrer les montants ci-dessous.',
+ 'bank_account_verification_next_steps' => 'Nous avons fait deux dépôts dans votre compte avec la description "VERIFICATION". Ces dépôts prendront 1-2 jours ouvrables pour apparaître sur votre relevé.
+Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette page et cliquez sur "Compléter la vérification" à côté du compte.',
+ 'unknown_bank' => 'Banque inconnue',
+ 'ach_verification_delay_help' => 'Vous serez en mesure d\'utiliser le compte après avoir terminé la vérification. Celle-ci demande habituellement 1-2 jours ouvrables.',
+ 'add_credit_card' => 'Ajouter une carte de crédit',
+ 'payment_method_added' => 'Ajouter un moyen de paiement',
+ 'use_for_auto_bill' => 'Utiliser pour les factures automatiques',
+ 'used_for_auto_bill' => 'Méthode de paiement automatique de factures',
+ 'payment_method_set_as_default' => 'Définir une éthode de paiement automatique de factures',
+ 'activity_41' => 'Le paiement de :payment_amount a échoué (:payment)',
+ 'webhook_url' => 'URL Webhook',
+ 'stripe_webhook_help' => 'Vous devez :link.',
+ 'stripe_webhook_help_link_text' => 'ajouter cette URL comme un terminal avec Stripe',
+ 'gocardless_webhook_help_link_text' => 'ajouter cette URL comme point de terminaison dans GoCardless',
+ 'payment_method_error' => 'Une erreur s\'est produite en ajoutant votre méthode de paiement. Veuillez réessayer plus tard.',
+ 'notification_invoice_payment_failed_subject' => 'Le paiement a échoué pour la facture :invoice',
+ 'notification_invoice_payment_failed' => 'Un paiement fait par le client :client pour la facture :invoice à échoué. Le paiement a été marqué comme échoué et :amount a été ajouté au solde du client.',
+ 'link_with_plaid' => 'Lier le compte instantanément avec Plaid',
+ 'link_manually' => 'Lier manuellement',
+ 'secured_by_plaid' => 'Sécurisé par Plaid',
+ 'plaid_linked_status' => 'Votre compte bancaire à :bank\'',
+ 'add_payment_method' => 'Ajouter une méthode de paiement',
+ 'account_holder_type' => 'Veuillez sélectionner le type de compte',
+ 'ach_authorization' => 'J\'autorise :company à utiliser mes données bancaires pour de futurs paiements, et si besoin de créditer mon compte par voie électronique afin de corriger d\'éventuelles erreurs de débits. Je comprends que je suis en mesure d\'annuler cette autorisation à tout moment en supprimant mon moyen de paiement ou en contactant :email.',
+ 'ach_authorization_required' => 'Vous devez consentir aux transactions ACH.',
+ 'off' => 'Fermé',
+ 'opt_in' => 'Désactivé',
+ 'opt_out' => 'Activé',
+ 'always' => 'Toujours',
+ 'opted_out' => 'Désactivé',
+ 'opted_in' => 'Activé',
+ 'manage_auto_bill' => 'Gérer les factures automatiques',
+ 'enabled' => 'Activé',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Activer les paiements PayPal via BrainTree',
+ 'braintree_paypal_disabled_help' => 'La passerelle PayPal traite les paiements PayPal',
+ 'braintree_paypal_help' => 'Vous devez aussi :link.',
+ 'braintree_paypal_help_link_text' => 'lier PayPal à votre compte BrainTree',
+ 'token_billing_braintree_paypal' => 'Sauvegarder les détails du paiement',
+ 'add_paypal_account' => 'Ajouter un compte PayPal',
+
+
+ 'no_payment_method_specified' => 'Aucune méthode de paiement spécifiée',
+ 'chart_type' => 'Type de graphique',
+ 'format' => 'Format',
+ 'import_ofx' => 'Importer OFX',
+ 'ofx_file' => 'Fichier OFX',
+ 'ofx_parse_failed' => 'Le traitement du fichier OFX a échoué',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'S\'enregistrer avec WePay',
+ 'use_another_provider' => 'Utiliser un autre fournisseur',
+ 'company_name' => 'Nom de l\'entreprise',
+ 'wepay_company_name_help' => 'Ceci apparaîtra sur le relevé de carte de crédit du client',
+ 'wepay_description_help' => 'Le but de ce compte.',
+ 'wepay_tos_agree' => 'J\'accepte les :link.',
+ 'wepay_tos_link_text' => 'Conditions d\'utilisation de WePay',
+ 'resend_confirmation_email' => 'Renvoyer le courriel de confirmation',
+ 'manage_account' => 'Gérer votre compte',
+ 'action_required' => 'Action requise',
+ 'finish_setup' => 'Terminer la configuration',
+ 'created_wepay_confirmation_required' => 'Veuillez vérifier votre courriel et confirmer votre adresse courriel avec WePay.',
+ 'switch_to_wepay' => 'Changer pour WePay',
+ 'switch' => 'Changer',
+ 'restore_account_gateway' => 'Rétablir la passerelle de paiement',
+ 'restored_account_gateway' => 'La passerelle de paiement a été rétablie',
+ 'united_states' => 'États-Unis',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accepter les cartes de débit',
+ 'debit_cards' => 'Cartes de Débit',
+
+ 'warn_start_date_changed' => 'La prochaine facture sera envoyée à la nouvelle date spécifiée.',
+ 'warn_start_date_changed_not_sent' => 'La prochaine facture sera créée à la nouvelle date de début.',
+ 'original_start_date' => 'Première date de départ',
+ 'new_start_date' => 'Nouvelle date de départ',
+ 'security' => 'Sécurité',
+ 'see_whats_new' => 'Voir les nouveautés dans la version v:version',
+ 'wait_for_upload' => 'Veuillez patienter pendant le chargement du fichier',
+ 'upgrade_for_permissions' => 'Adhérez à notre Plan entreprise pour activer les permissions.',
+ 'enable_second_tax_rate' => 'Activer la spécification d\'un second taux de taxe',
+ 'payment_file' => 'Fichier de paiement',
+ 'expense_file' => 'Fichier de dépense',
+ 'product_file' => 'Fichier de produit',
+ 'import_products' => 'Importer des produits',
+ 'products_will_create' => 'produits seront créés',
+ 'product_key' => 'Produit',
+ 'created_products' => ':count produit(s) créé(s)/mis à jour avec succès',
+ 'export_help' => 'Utilisez JSON si vous prévoyez d\'importer des données dans Invoice Ninja.
Le fichier inclut les clients, les produits, les factures, les offres et les paiements.',
+ 'selfhost_export_help' => '
Nous recommandons d\'utiliser mysqldump pour créer une sauvegarde complète.',
+ 'JSON_file' => 'Fichier JSON',
+
+ 'view_dashboard' => 'Afficher le tabeau de bord',
+ 'client_session_expired' => ' Session expirée.',
+ 'client_session_expired_message' => 'Votre session a expiré. Veuillez cliquer sur le lien dans votre courriel.',
+
+ 'auto_bill_notification' => 'Cette facture sera automatiquement facturée à votre :payment_method au dossier le :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'Compte bancaire',
+ 'auto_bill_payment_method_credit_card' => 'carte de crédit',
+ 'auto_bill_payment_method_paypal' => 'compte PayPal',
+ 'auto_bill_notification_placeholder' => 'Cette facture sera automatiquement facturée à votre carte de crédit inscrite au dossier à la date d\'échéance.',
+ 'payment_settings' => 'Paramètres de paiement',
+
+ 'on_send_date' => 'À la date d\'envoi',
+ 'on_due_date' => 'À la date d\'échéance',
+ 'auto_bill_ach_date_help' => 'ACH facturera toujours automatiquement à la date d\'échéance',
+ 'warn_change_auto_bill' => 'Selon les règles de NACHA, les changements à cette facture pourrait prévenir l\'autofacturation de ACH.',
+
+ 'bank_account' => 'Compte Bancaire',
+ 'payment_processed_through_wepay' => 'Les paiements ACH seront traités avec WePay.',
+ 'wepay_payment_tos_agree' => 'J\'accepte les :terms et la :privacy_policy 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:',
+ 'verification_pending' => 'En attente de vérification',
+
+ 'update_font_cache' => 'Veuillez actualiser la page pour mettre à jour le cache de la police de caractères',
+ 'more_options' => 'Plus d\'options',
+ 'credit_card' => 'Carte de Crédit',
+ 'bank_transfer' => 'Virement bancaire',
+ 'no_transaction_reference' => 'Nous n\'avons pas reçu de référence de transaction de paiement de la passerelle.',
+ 'use_bank_on_file' => 'Utiliser la banque inscrite au dossier',
+ 'auto_bill_email_message' => 'Cette facture sera automatiquement facturée à votre méthode de paiement inscrite au dossier à la date d\'échéance.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Ajouté le :date',
+ 'failed_remove_payment_method' => 'La suppression de la méthode de paiement a échoué',
+ 'gateway_exists' => 'La passerelle existe déjà',
+ 'manual_entry' => 'Saisie manuelle',
+ 'start_of_week' => 'Premier jour de la semaine',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactif',
+ 'freq_daily' => 'Quotidien',
+ 'freq_weekly' => 'Hebdomadaire',
+ 'freq_biweekly' => 'Bi-hebdomadaire',
+ 'freq_two_weeks' => 'Deux semaines',
+ 'freq_four_weeks' => 'Quatre semaines',
+ 'freq_monthly' => 'Mensuelle',
+ 'freq_three_months' => 'Trimestrielle',
+ 'freq_four_months' => 'Quatre mois',
+ 'freq_six_months' => 'Six mois',
+ 'freq_annually' => 'Annuelle',
+ 'freq_two_years' => 'Deux ans',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Appliquer le crédit',
+ 'payment_type_Bank Transfer' => 'Transfert bancaire',
+ 'payment_type_Cash' => 'Comptant',
+ 'payment_type_Debit' => 'Débit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Carte Visa',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Autre carte de crédit',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Chèque',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'Prélèvement automatique/domiciliation SEPA',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Comptabilité & Légal',
+ 'industry_Advertising' => 'Publicité',
+ 'industry_Aerospace' => 'Aérospatial',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automobile',
+ 'industry_Banking & Finance' => 'Banques & Finances',
+ 'industry_Biotechnology' => 'Biotechnologie',
+ 'industry_Broadcasting' => 'Médiadiffusion',
+ 'industry_Business Services' => 'Services aux entreprises',
+ 'industry_Commodities & Chemicals' => 'Produits chimiques',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Informatique & Hightech',
+ 'industry_Defense' => 'Défense',
+ 'industry_Energy' => 'Energie',
+ 'industry_Entertainment' => 'Divertissement',
+ 'industry_Government' => 'Gouvernement',
+ 'industry_Healthcare & Life Sciences' => 'Santé et sciences de la vie',
+ 'industry_Insurance' => 'Assurances',
+ 'industry_Manufacturing' => 'Production',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Médias',
+ 'industry_Nonprofit & Higher Ed' => 'Organisme sans but lucratif & Enseignement supérieur',
+ 'industry_Pharmaceuticals' => 'Pharmaceutique',
+ 'industry_Professional Services & Consulting' => 'Services Professionnels et Conseil',
+ 'industry_Real Estate' => 'Immobilier',
+ 'industry_Restaurant & Catering' => 'Restaurant & Traiteur',
+ 'industry_Retail & Wholesale' => 'Détail & Grossiste',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Voyage & Luxe',
+ 'industry_Other' => 'Autres',
+ 'industry_Photography' => 'Photographie',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albanie',
+ 'country_Antarctica' => 'Antartique',
+ 'country_Algeria' => 'Algérie',
+ 'country_American Samoa' => 'Samoa américaines',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua-et-Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentine',
+ 'country_Australia' => 'Australie',
+ 'country_Austria' => 'Autriche',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Arménie',
+ 'country_Barbados' => 'Barbades',
+ 'country_Belgium' => 'Belgique',
+ 'country_Bermuda' => 'Bermudes',
+ 'country_Bhutan' => 'Bhoutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivie',
+ 'country_Bosnia and Herzegovina' => 'Bosnie-Herzégovine',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Île Bouvet',
+ 'country_Brazil' => 'Brésil',
+ 'country_Belize' => 'Béize',
+ 'country_British Indian Ocean Territory' => 'Territoire britannique de l\'océan Indien',
+ 'country_Solomon Islands' => 'Iles Salomon',
+ 'country_Virgin Islands, British' => 'Îles Vierges britanniques',
+ 'country_Brunei Darussalam' => 'Brunei',
+ 'country_Bulgaria' => 'Bulgarie',
+ 'country_Myanmar' => 'Birmanie',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Biélorussie',
+ 'country_Cambodia' => 'Cambodge',
+ 'country_Cameroon' => 'Cameroun',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cap-Vert',
+ 'country_Cayman Islands' => 'Iles Cayman',
+ 'country_Central African Republic' => 'République Centrafricaine',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Tchad',
+ 'country_Chile' => 'Chili',
+ 'country_China' => 'Chine',
+ 'country_Taiwan, Province of China' => 'Taîwan',
+ 'country_Christmas Island' => 'Île Christmas',
+ 'country_Cocos (Keeling) Islands' => 'Îles Cocos (Keeling)',
+ 'country_Colombia' => 'Colombie',
+ 'country_Comoros' => 'Comores',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'République démocratique du Congo',
+ 'country_Cook Islands' => 'Îles Cook',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Coatie',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Chypre',
+ 'country_Czech Republic' => 'République tchèque',
+ 'country_Benin' => 'Bénin',
+ 'country_Denmark' => 'Danemark',
+ 'country_Dominica' => 'Dominique',
+ 'country_Dominican Republic' => 'République dominicaine',
+ 'country_Ecuador' => 'Équateur',
+ 'country_El Salvador' => 'Salvador',
+ 'country_Equatorial Guinea' => 'Guinée équatoriale',
+ 'country_Ethiopia' => 'Ethiopie',
+ 'country_Eritrea' => 'Érythrée',
+ 'country_Estonia' => 'Estonie',
+ 'country_Faroe Islands' => 'Îles Féroé',
+ 'country_Falkland Islands (Malvinas)' => 'Îles Malouines',
+ 'country_South Georgia and the South Sandwich Islands' => 'Géorgie du Sud-et-les Îles Sandwich du Sud',
+ 'country_Fiji' => 'Fidji',
+ 'country_Finland' => 'Finlande',
+ 'country_Åland Islands' => 'Åland',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'Guyane française',
+ 'country_French Polynesia' => 'Polynésie française',
+ 'country_French Southern Territories' => 'Terres australes et antarctiques françaises',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Géorgie',
+ 'country_Gambia' => 'Gambie',
+ 'country_Palestinian Territory, Occupied' => 'Territoires palestiniens occupés',
+ 'country_Germany' => 'Allemagne',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Grèce',
+ 'country_Greenland' => 'Groenland',
+ 'country_Grenada' => 'Grenade',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ 'country_Guam' => 'Guam',
+ 'country_Guatemala' => 'Guatemala',
+ 'country_Guinea' => 'Guinée',
+ 'country_Guyana' => 'Guyana',
+ 'country_Haiti' => 'Haiti',
+ 'country_Heard Island and McDonald Islands' => 'Îles Heard-et-MacDonald',
+ 'country_Holy See (Vatican City State)' => 'Vatican',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hongrie',
+ 'country_Iceland' => 'Islande',
+ 'country_India' => 'Inde',
+ 'country_Indonesia' => 'Indonésie',
+ 'country_Iran, Islamic Republic of' => 'Iran',
+ 'country_Iraq' => 'Irak',
+ 'country_Ireland' => 'Irlande',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italie',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaique',
+ 'country_Japan' => 'Japon',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordanie',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Corée du Nord',
+ 'country_Korea, Republic of' => 'Corée du Sud',
+ 'country_Kuwait' => 'Koweit',
+ 'country_Kyrgyzstan' => 'Kirghizistan',
+ 'country_Lao People\'s Democratic Republic' => 'Laos',
+ 'country_Lebanon' => 'Liban',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Lettonie',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libye',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuanie',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaisie',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malte',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritanie',
+ 'country_Mauritius' => 'Maurice',
+ 'country_Mexico' => 'Mexique',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolie',
+ 'country_Moldova, Republic of' => 'Moldavie',
+ 'country_Montenegro' => 'Monténégro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Maroc',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibie',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Népal',
+ 'country_Netherlands' => 'Pays-Bas',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Saint-Martin (partie Pays-Bas)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Pays-Bas caribéens',
+ 'country_New Caledonia' => 'Nouvelle-Calédonie',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'Nouvelle-Zélande',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Île Norfolk',
+ 'country_Norway' => 'Norvège',
+ 'country_Northern Mariana Islands' => 'Îles Mariannes du Nord',
+ 'country_United States Minor Outlying Islands' => 'Îles mineures éloignées des États-Unis',
+ 'country_Micronesia, Federated States of' => 'Micronésie',
+ 'country_Marshall Islands' => 'Îles Marshall',
+ 'country_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papouasie-Nouvelle-Guinée',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Pérou',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Îles Pitcairn',
+ 'country_Poland' => 'Pologne',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinée-Bissau',
+ 'country_Timor-Leste' => 'Timor oriental',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'La Réunion',
+ 'country_Romania' => 'Roumanie',
+ 'country_Russian Federation' => 'Fédération Russe',
+ 'country_Rwanda' => 'Rwanda',
+ 'country_Saint Barthélemy' => 'Saint Barthélemy',
+ 'country_Saint Helena, Ascension and Tristan da Cunha' => 'Sainte-Hélène, Ascension et Tristan da Cunha',
+ 'country_Saint Kitts and Nevis' => 'Saint-Kitts-et-Nevis',
+ 'country_Anguilla' => 'Anguilla',
+ 'country_Saint Lucia' => 'Sainte-Lucie',
+ 'country_Saint Martin (French part)' => 'Saint-Martin (partie française)',
+ 'country_Saint Pierre and Miquelon' => 'Saint Pierre et Miquelon',
+ 'country_Saint Vincent and the Grenadines' => 'Saint-Vincent-et-les-Grenadines',
+ 'country_San Marino' => 'Saint-Marin',
+ 'country_Sao Tome and Principe' => 'Sao Tomé-et-Principe',
+ 'country_Saudi Arabia' => 'Arabie Saoudite',
+ 'country_Senegal' => 'Sénégal',
+ 'country_Serbia' => 'Serbie',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovaquie',
+ 'country_Viet Nam' => 'Viêt Nam',
+ 'country_Slovenia' => 'Slovénie',
+ 'country_Somalia' => 'Somalie',
+ 'country_South Africa' => 'Afrique du Sud',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Espagne',
+ 'country_South Sudan' => 'Soudan du Sud',
+ 'country_Sudan' => 'Soudan',
+ 'country_Western Sahara' => 'Sahara occidental',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard et Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Suède',
+ 'country_Switzerland' => 'Suisse',
+ 'country_Syrian Arab Republic' => 'Syrie',
+ 'country_Tajikistan' => 'Tadjikistan',
+ 'country_Thailand' => 'Thaïlande',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinité-et-Tobago',
+ 'country_United Arab Emirates' => 'Émirats arabes unis',
+ 'country_Tunisia' => 'Tunisie',
+ 'country_Turkey' => 'Turquie',
+ 'country_Turkmenistan' => 'Turkménistan',
+ 'country_Turks and Caicos Islands' => 'Îles Turques-et-Caïques',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Ouganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macédoine',
+ 'country_Egypt' => 'Egypte',
+ 'country_United Kingdom' => 'Royaume-Uni',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Île de Man',
+ 'country_Tanzania, United Republic of' => 'Tanzanie',
+ 'country_United States' => 'États-Unis',
+ 'country_Virgin Islands, U.S.' => 'Îles Vierges des États-Unis',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Ouzbékistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Vénézuela',
+ 'country_Wallis and Futuna' => 'Wallis et Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yémen',
+ 'country_Zambia' => 'Zambie',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Portuguais - Brésil',
+ 'lang_Croatian' => 'Croate',
+ 'lang_Czech' => 'Tchèque',
+ 'lang_Danish' => 'Danois',
+ 'lang_Dutch' => 'Néerlandais',
+ 'lang_English' => 'Anglais',
+ 'lang_French' => 'Français',
+ 'lang_French - Canada' => 'Français - Canada',
+ 'lang_German' => 'Allemand',
+ 'lang_Italian' => 'Italien',
+ 'lang_Japanese' => 'Japonais',
+ 'lang_Lithuanian' => 'Lituanien',
+ 'lang_Norwegian' => 'Norvégien',
+ 'lang_Polish' => 'Polonais',
+ 'lang_Spanish' => 'Espagnol',
+ 'lang_Spanish - Spain' => 'Espagnol - Espagne',
+ 'lang_Swedish' => 'Suédois',
+ 'lang_Albanian' => 'Albanais',
+ 'lang_Greek' => 'Grec',
+ 'lang_English - United Kingdom' => 'Anglais - Royaume Uni',
+ 'lang_Slovenian' => 'Slovène',
+ 'lang_Finnish' => 'Finnois',
+ 'lang_Romanian' => 'Roumain',
+ 'lang_Turkish - Turkey' => 'Turc - Turquie',
+ 'lang_Portuguese - Brazilian' => 'Portugais - Brésil',
+ 'lang_Portuguese - Portugal' => 'Portugais - Portugal',
+ 'lang_Thai' => 'Thaïlandais',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Comptabilité & Légal',
+ 'industry_Advertising' => 'Publicité',
+ 'industry_Aerospace' => 'Aérospatial',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automobile',
+ 'industry_Banking & Finance' => 'Banques & Finances',
+ 'industry_Biotechnology' => 'Biotechnologie',
+ 'industry_Broadcasting' => 'Médiadiffusion',
+ 'industry_Business Services' => 'Services aux entreprises',
+ 'industry_Commodities & Chemicals' => 'Produits chimiques',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Informatique & Hightech',
+ 'industry_Defense' => 'Défense',
+ 'industry_Energy' => 'Energie',
+ 'industry_Entertainment' => 'Divertissement',
+ 'industry_Government' => 'Gouvernement',
+ 'industry_Healthcare & Life Sciences' => 'Santé et sciences de la vie',
+ 'industry_Insurance' => 'Assurances',
+ 'industry_Manufacturing' => 'Production',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Médias',
+ 'industry_Nonprofit & Higher Ed' => 'Organisme sans but lucratif & Enseignement supérieur',
+ 'industry_Pharmaceuticals' => 'Pharmaceutique',
+ 'industry_Professional Services & Consulting' => 'Services Professionnels et Conseil',
+ 'industry_Real Estate' => 'Immobilier',
+ 'industry_Retail & Wholesale' => 'Détail & Grossiste',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Voyage & Luxe',
+ 'industry_Other' => 'Autres',
+ 'industry_Photography' =>'Photographie',
+
+ 'view_client_portal' => 'Afficher le portail client',
+ 'view_portal' => 'Voir le portail',
+ 'vendor_contacts' => 'Contacts du fournisseur',
+ 'all' => 'Tous',
+ 'selected' => 'Sélectionné(s)',
+ 'category' => 'Catégorie',
+ 'categories' => 'Catégories',
+ 'new_expense_category' => 'Nouvelle catégorie de dépense',
+ 'edit_category' => 'Éditer la catégorie',
+ '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' => 'Catégorie de dépense mise à jour avec succès',
+ 'created_expense_category' => 'Catégorie de dépense créée avec succès',
+ 'archived_expense_category' => 'Catégorie de dépense archivée avec succès',
+ 'archived_expense_categories' => ':count catégorie(s) de dépense archivée(s) avec succès',
+ 'restore_expense_category' => 'Restaurer la catégorie de dépense',
+ 'restored_expense_category' => 'Catégorie de dépense restaurée avec succès',
+ 'apply_taxes' => 'Appliquer les taxes',
+ 'min_to_max_users' => ':min à :max utilisateurs',
+ 'max_users_reached' => 'Le nombre maximum d\'utilisateurs a été atteint',
+ 'buy_now_buttons' => 'Boutons Achetez maintenant',
+ 'landing_page' => 'Page d\'accueil',
+ 'payment_type' => 'Type de paiement',
+ 'form' => 'Formulaire',
+ 'link' => 'Lien',
+ 'fields' => 'Champs',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Remarque : le client et la facture sont créés même si la transaction n\'est pas terminée.',
+ 'buy_now_buttons_disabled' => 'Cette fonctionnalité requiert qu\'un produit soit créé et qu\'une passerelle de paiement soit configurée.',
+ 'enable_buy_now_buttons_help' => 'Activer les boutons Achetez maintenant',
+ 'changes_take_effect_immediately' => 'Note : Les changements s\'appliquent immédiatement',
+ 'wepay_account_description' => 'Passerelle de paiement pour Invoice Ninja',
+ 'payment_error_code' => 'Il y a eu une erreur lors du traitement de paiement [:code]. Veuillez réessayer plus tard.',
+ 'standard_fees_apply' => 'Taux : 2.9%/1.2% [Carte de Crédit/Transfert Bancaire] + $0.30 par paiement réussit.',
+ 'limit_import_rows' => 'Les données nécessitent d\'être importées en lots de :count rangées ou moins.',
+ 'error_title' => 'Il y a eu une erreur',
+ 'error_contact_text' => 'Si vous avez besoin d\'aide, veuillez nous contacter à :mailaddress',
+ 'no_undo' => 'Avertissement: Ceci ne peut pas être annulé.',
+ 'no_contact_selected' => 'Veuillez sélectionner un contact',
+ 'no_client_selected' => 'Veuillez sélectionner un client',
+
+ 'gateway_config_error' => 'Cela pourrait aider de définir de nouveau mots de passe ou générer de nouvelles clés API.',
+ 'payment_type_on_file' => ':type enregistré',
+ 'invoice_for_client' => 'Facture :invoice pour :client',
+ 'intent_not_found' => 'Désolé, je ne comprends pas bien ce que vous souhaitez.',
+ 'intent_not_supported' => 'Désolé, je ne peux pas faire cela.',
+ 'client_not_found' => 'Je n\'ai pas pu trouver le client',
+ 'not_allowed' => 'Désolé, vous n\'avez pas les permissions requises',
+ 'bot_emailed_invoice' => 'Votre facture a été envoyée.',
+ 'bot_emailed_notify_viewed' => 'Recevez un courriel lorsqu\'elle sera vue.',
+ 'bot_emailed_notify_paid' => 'Recevez un courriel lorsqu\'elle sera payée.',
+ 'add_product_to_invoice' => 'Ajouter 1 :product',
+ 'not_authorized' => 'Vous n\'êtes pas autorisé(e)',
+ 'bot_get_email' => 'Salut! (wave)
Merci d\'essayer le Bot Invoice Ninja.
Vous devez créer un compte gratuit pour utiliser ce bot.
Envoyez-moi l\'adresse courriel de votre compte pour commencer.',
+ 'bot_get_code' => 'Merci! Je vous ai envoyé un courriel avec votre code de sécurité.',
+ 'bot_welcome' => 'Ça y est, votre compte est vérifié.
',
+ 'email_not_found' => 'Je n\'ai pas pu trouver un compte disponible pour :email',
+ 'invalid_code' => 'Le code n\'est pas valide',
+ 'security_code_email_subject' => 'Code de sécurité pour le Bot de Invoice Ninja',
+ 'security_code_email_line1' => 'Ceci est votre code de sécurité pour le Bot de Invoice Ninja.',
+ 'security_code_email_line2' => 'Note : il expirera dans 10 minutes.',
+ 'bot_help_message' => 'Je supporte actuellement:
• Créer\mettre à jour\envoyer une facture
• Lister les produits
Par exemple:
Facturer 2 billets à Simon, définir la date d\'échéance au prochain jeudi et l\'escompte à 10 %',
+ 'list_products' => 'Afficher les produits',
+
+ 'include_item_taxes_inline' => 'Inclure une ligne de taxes dans le total de la ligne',
+ 'created_quotes' => ':count offre(s) ont été créée(s)',
+ 'limited_gateways' => 'Note : Nous supportons une passerelle de carte de crédit par entreprise',
+
+ 'warning' => 'Avertissement',
+ 'self-update' => 'Mettre à jour',
+ 'update_invoiceninja_title' => 'Mettre à jour Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Avant de commencer une mise à jour d\'Invoice Ninja, créez une sauvegarde de votre base de données et de vos fichiers!',
+ 'update_invoiceninja_available' => 'Une nouvelle version de Invoice Ninja est disponible.',
+ 'update_invoiceninja_unavailable' => 'Aucune mise à jour de Invoice Ninja disponible.',
+ 'update_invoiceninja_instructions' => 'Veuillez installer la nouvelle version :version en cliquant sur le bouton Mettre à jour ci-dessous. Ensuite, vous serez redirigé vers le tableau de bord.',
+ 'update_invoiceninja_update_start' => 'Mettre à jour maintenant',
+ 'update_invoiceninja_download_start' => 'Télécharger :version',
+ 'create_new' => 'Créer',
+
+ 'toggle_navigation' => 'Basculer la navigation',
+ 'toggle_history' => 'Basculer l\'historique',
+ 'unassigned' => 'Non assigné',
+ 'task' => 'Tâche',
+ 'contact_name' => 'Nom du contact',
+ 'city_state_postal' => 'Ville/ Province (Département)/ CP',
+ 'custom_field' => 'Champ personnalisé',
+ 'account_fields' => 'Champs pour entreprise',
+ 'facebook_and_twitter' => 'Facebook et Twitter',
+ 'facebook_and_twitter_help' => 'Suivez-nous pour nous soutenir notre projet',
+ 'reseller_text' => 'Remarque: la licence en marque blanche est destinée à un usage personnel, veuillez nous envoyer un courriel à: email si vous souhaitez revendre l\'application.',
+ 'unnamed_client' => 'Client sans nom',
+
+ 'day' => 'Jour',
+ 'week' => 'Semaine',
+ 'month' => 'Mois',
+ 'inactive_logout' => 'Vous avez été déconnecté en raison de l\'inactivité.',
+ 'reports' => 'Rapports',
+ 'total_profit' => 'Total des profits',
+ 'total_expenses' => 'Total des dépenses',
+ 'quote_to' => 'Offre pour',
+
+ // Limits
+ 'limit' => 'Limite',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'Aucune limite',
+ 'set_limits' => 'Définir les limites de :gateway_type',
+ 'enable_min' => 'Activer min',
+ 'enable_max' => 'Activer max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'Cette facture ne correspond pas aux limites définies pour ce type de paiement.',
+
+ 'date_range' => 'Intervalle de dates',
+ 'raw' => 'Brut',
+ 'raw_html' => 'HTML brut',
+ 'update' => 'Mettre à jour',
+ 'invoice_fields_help' => 'Cliquez et déplacez les champs pour modifier leur ordre et emplacement',
+ 'new_category' => 'Nouvelle catégorie',
+ 'restore_product' => 'Rétablir le produit',
+ 'blank' => 'Vide',
+ 'invoice_save_error' => 'Il y a eu une erreur lors de la sauvegarde de votre facture',
+ 'enable_recurring' => 'Activer la récurrence',
+ 'disable_recurring' => 'Désactiver la récurrence',
+ 'text' => 'Texte',
+ 'expense_will_create' => 'la dépense sera créée',
+ 'expenses_will_create' => 'les dépenses seront créées',
+ 'created_expenses' => ':count dépense(s) créée(s)',
+
+ 'translate_app' => 'Aidez-nous à améliorer nos traductions avec :link',
+ 'expense_category' => 'Catégorie de dépense',
+
+ 'go_ninja_pro' => 'Passez au plan Ninja Pro!',
+ 'go_enterprise' => 'Passez au plan Enterprise!',
+ 'upgrade_for_features' => 'Mettre à jour pour plus de fonctionnalités',
+ 'pay_annually_discount' => 'Payez annuellement pour 10 mois + 2 gratuits',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'VotreMarque.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Personnalisez tous les aspects de votre facture',
+ 'enterprise_upgrade_feature1' => 'Définissez les permissions pour plusieurs utilisateurs',
+ 'enterprise_upgrade_feature2' => 'Ajoutez des fichiers joints aux factures et dépenses',
+ 'much_more' => 'Encore plus!',
+ 'all_pro_fetaures' => 'Plus toutes les fonctionnalités pro !',
+
+ 'currency_symbol' => 'Symbole',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Acheter une licence',
+ 'apply_license' => 'Activer la licence',
+ 'submit' => 'Envoyer',
+ 'white_label_license_key' => 'Clé de la licence',
+ 'invalid_white_label_license' => 'La licence en marque blanche n\'est pas valide',
+ 'created_by' => 'Créé par :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'Premier mois de l\'année',
+ 'authentication' => 'Authentification',
+ 'checkbox' => 'Case à cocher',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Case à cocher pour les conditions de facturation',
+ 'show_accept_invoice_terms_help' => 'Exiger que le client confirme qu\'il accepte les conditions de facturation',
+ 'show_accept_quote_terms' => 'Case à cocher pour les conditions d\'offre',
+ 'show_accept_quote_terms_help' => 'Exiger que le client confirme qu\'il accepte les conditions de l\'offre',
+ 'require_invoice_signature' => 'Signature de facture',
+ 'require_invoice_signature_help' => 'Exiger que le client signe',
+ 'require_quote_signature' => 'Signature de l\'offre',
+ 'require_quote_signature_help' => 'Exiger que le client signe',
+ 'i_agree' => 'J\'accepte les conditions ci dessus',
+ 'sign_here' => 'Veuillez signer ici:',
+ 'authorization' => 'Autorisation',
+ 'signed' => 'Signé',
+
+ // BlueVine
+ 'bluevine_promo' => 'Obtenez des marges de crédit et d\'affacturages d\'affaires flexible en utilisant BlueVine.',
+ 'bluevine_modal_label' => 'Inscrivez-vous avec BlueVineInscrivez-vous avec BlueVine',
+ 'bluevine_modal_text' => 'Finacement rapide pour votre entreprise. Pas de paperasse.
+- Marges de crédit et affacturage d\'affaires flexibles.
',
+ 'bluevine_create_account' => 'Créer un compte',
+ 'quote_types' => 'Obtenir une offre pour',
+ 'invoice_factoring' => 'Affacturage',
+ 'line_of_credit' => 'Ligne de crédit',
+ 'fico_score' => 'Votre pointage de crédit',
+ 'business_inception' => 'Date de création de l\'entreprise',
+ 'average_bank_balance' => 'Solde moyen du compte bancaire',
+ 'annual_revenue' => 'Revenu annuel',
+ 'desired_credit_limit_factoring' => 'Affacturage désiré',
+ 'desired_credit_limit_loc' => 'Ligne de crédit désirée',
+ 'desired_credit_limit' => 'Limite de crédit désirée',
+ 'bluevine_credit_line_type_required' => 'Faites au moins un choix',
+ 'bluevine_field_required' => 'Ce champs est requis',
+ 'bluevine_unexpected_error' => 'Une erreur inattendue s\'est produite.',
+ 'bluevine_no_conditional_offer' => 'Vous devez fournir plus d\'information afin d\'obtenir une offre. Veuillez cliquer sur continuer ci-dessous.',
+ 'bluevine_invoice_factoring' => 'Affacturage',
+ 'bluevine_conditional_offer' => 'Offre conditionnelle',
+ 'bluevine_credit_line_amount' => 'Ligne de crédit',
+ 'bluevine_advance_rate' => 'Taux de l\'accompte',
+ 'bluevine_weekly_discount_rate' => 'Taux de remise hebdomadaire',
+ 'bluevine_minimum_fee_rate' => 'Frais minimaux',
+ 'bluevine_line_of_credit' => 'Ligne de crédit',
+ 'bluevine_interest_rate' => 'Taux d\'intérêts',
+ 'bluevine_weekly_draw_rate' => 'Taux hebdomadaire de retrait',
+ 'bluevine_continue' => 'Continuer vers BlueVine',
+ 'bluevine_completed' => 'Inscription avec BlueVine complétée',
+
+ 'vendor_name' => 'Fournisseur',
+ 'entity_state' => 'État',
+ 'client_created_at' => 'Date de création',
+ 'postmark_error' => 'Il y a eu un problème en envoyant le courriel par Postmark: :link',
+ 'project' => 'Projet',
+ 'projects' => 'Projets',
+ 'new_project' => 'Nouveau projet',
+ 'edit_project' => 'Editer le projet',
+ 'archive_project' => 'Archiver le projet',
+ 'list_projects' => 'Lister les projets',
+ '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 projet(s) a (ont) été archivé(s)',
+ 'restore_project' => 'Restaurer le projet',
+ 'restored_project' => 'Le projet a été rétabli',
+ 'delete_project' => 'Effacer le Projet',
+ 'deleted_project' => 'Le projet a été supprimé',
+ 'deleted_projects' => ':count projet(s) a (ont) été supprimé(s)',
+ 'delete_expense_category' => 'Supprimer la catégorie',
+ 'deleted_expense_category' => 'La catégorie a été supprimée',
+ 'delete_product' => 'Effacer le Produit',
+ 'deleted_product' => 'Le produit a été supprimé',
+ 'deleted_products' => ':count produit(s) supprimé(s)',
+ 'restored_product' => 'Le produit a été rétabli',
+ 'update_credit' => 'Mettre à jour un crédit',
+ 'updated_credit' => 'Le crédit a été mis à jour',
+ 'edit_credit' => 'Éditer le crédit',
+ 'live_preview_help' => 'Afficher une prévisualisation actualisée sur la page d\'une facture.
Désactiver cette fonctionnalité pour améliorer les performances pendant l\'édition des factures.',
+ 'force_pdfjs_help' => 'Remplacer le lecteur PDF intégré dans :chrome_link et dans :firefox_link.
Activez cette fonctionnalité si votre navigateur télécharge automatiquement les fichiers PDF.',
+ 'force_pdfjs' => 'Empêcher le téléchargement',
+ 'redirect_url' => 'URL de redirection',
+ 'redirect_url_help' => 'Indiquez si vous le souhaitez une URL à laquelle vous vouler rediriger après l\'entrée d\'un paiement.',
+ 'save_draft' => 'Sauvegarder le brouillon',
+ 'refunded_credit_payment' => 'Paiement de crédit remboursé',
+ 'keyboard_shortcuts' => 'Raccourcis clavier',
+ 'toggle_menu' => 'Basculer la navigation',
+ 'new_...' => 'Nouveau ...',
+ 'list_...' => 'Lister ...',
+ 'created_at' => 'Date de création',
+ 'contact_us' => 'Nous joindre',
+ 'user_guide' => 'Guide de l\'utilisateur',
+ 'promo_message' => 'Profitez de l\'offre d\'upgrade 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é',
+ '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' => 'Le produit sera créé',
+ 'contact_us_response' => 'Merci pour votre message! Nous essaierons de répondre dès que possible. ',
+ 'last_7_days' => '7 derniers jours',
+ 'last_30_days' => '30 derniers jours',
+ 'this_month' => 'Mois en cours',
+ 'last_month' => 'Mois dernier',
+ 'last_year' => 'Dernière année',
+ 'custom_range' => 'Intervalle personnalisé',
+ 'url' => 'URL',
+ 'debug' => 'Débogage',
+ 'https' => 'HTTPS',
+ 'require' => 'Obligatoire',
+ 'license_expiring' => 'Note: Votre licence va expirer dans :count jours, :link pour la renouveler.',
+ 'security_confirmation' => 'Votre adresse courriel a été confirmée.',
+ 'white_label_expired' => 'Votre licence en marque blanche a expiré. Merci de la renouveler pour soutenir notre projet.',
+ 'renew_license' => 'Renouveler la licence',
+ 'iphone_app_message' => 'Avez-vous penser télécharger notre :link',
+ 'iphone_app' => 'App iPhone',
+ 'android_app' => 'App Android',
+ 'logged_in' => 'Connecté',
+ 'switch_to_primary' => 'Veuillez basculer vers votre entreprise initiale (:name) pour gérer votre plan d\'abonnement.',
+ 'inclusive' => 'Inclusif',
+ 'exclusive' => 'Exclusif',
+ 'postal_city_state' => 'Ville/Province (Département)/Code postal',
+ 'phantomjs_help' => 'Dans certains cas, l\'application utilise :link_phantom pour générer le PDF. Installez :link_docs pour le générer localement.',
+ 'phantomjs_local' => 'Utilise PhantomJS local',
+ 'client_number' => 'Numéro de client',
+ 'client_number_help' => 'Spécifiez un préfixe ou utilisez un modèle personnalisé pour la création du numéro de client.',
+ 'next_client_number' => 'Le prochain numéro de client est :number',
+ 'generated_numbers' => 'Numéros générés',
+ 'notes_reminder1' => 'Premier rappel',
+ 'notes_reminder2' => 'Deuxième rappel',
+ 'notes_reminder3' => 'Troisième rappel',
+ 'bcc_email' => 'Courriel CCI',
+ 'tax_quote' => 'Taxe applicable à l\'offre',
+ 'tax_invoice' => 'Taxe de facture',
+ 'emailed_invoices' => 'Les factures ont été envoyées par courriel',
+ 'emailed_quotes' => 'Les offres ont été envoyées par courriel',
+ 'website_url' => 'URL du site web',
+ 'domain' => 'Domaine',
+ 'domain_help' => 'Utilisé dans le portail du client et lors de l\'envoi de courriels',
+ 'domain_help_website' => 'Utilisé lors de l\'envoi de courriels',
+ 'preview' => 'Prévisualisation',
+ 'import_invoices' => 'Importer des factures',
+ 'new_report' => 'Nouveau rapport',
+ 'edit_report' => 'Editer le rapport',
+ 'columns' => 'Colonnes',
+ 'filters' => 'Filtres',
+ 'sort_by' => 'Trier par',
+ 'draft' => 'Brouillon',
+ 'unpaid' => 'Non payé',
+ 'aging' => 'Vieillissement',
+ 'age' => 'Ancienneté',
+ 'days' => 'Jours',
+ 'age_group_0' => '0 - 30 jours',
+ 'age_group_30' => '30 -60 jours',
+ 'age_group_60' => '60 - 90 jours',
+ 'age_group_90' => '90 - 120 jours',
+ 'age_group_120' => '120+ jours',
+ 'invoice_details' => 'Détails de la facture',
+ 'qty' => 'Quantité',
+ 'profit_and_loss' => 'Profits et Pertes',
+ 'revenue' => 'Revenu',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Tri par groupe',
+ 'group_dates_by' => 'Regrouper les dates par',
+ 'year' => 'Année',
+ 'view_statement' => 'Voir le relevé',
+ 'statement' => 'Relevé',
+ 'statement_date' => 'Date du relevé',
+ 'mark_active' => 'Marquer comme actif',
+ 'send_automatically' => 'Envoyer automatiquement',
+ 'initial_email' => 'Courriel initial',
+ 'invoice_not_emailed' => 'Cette facture n\'a pas encore été envoyée par courriel.',
+ 'quote_not_emailed' => 'Ce devis n\'a pas encore été envoyé par courriel.',
+ 'sent_by' => 'Envoyé par :user',
+ 'recipients' => 'Destinataires',
+ 'save_as_default' => 'Sauvegarder par défaut',
+ 'template' => 'Modèle',
+ 'start_of_week_help' => 'Utilisés par des sélecteurs de date',
+ 'financial_year_start_help' => 'Utilisés par des sélecteurs de plages de date',
+ 'reports_help' => 'Shift + Click to sort by multiple columns, Ctrl + Click to clear the grouping.',
+ 'this_year' => 'Cette année',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Créer. Envoyer. Être payé.',
+ 'login_or_existing' => 'Ou se connecter avec un compte connecté.',
+ 'sign_up_now' => 'Inscrivez-vous maintenant',
+ 'not_a_member_yet' => 'Pas encore membre ?',
+ 'login_create_an_account' => 'Créez un compte !',
+ 'client_login' => 'Connexion client',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Factures de :',
+ 'email_alias_message' => 'Chaque société doit avoir une adresse email unique.
Envisagez d\'utiliser un alias. ie, email+label@example.com',
+ 'full_name' => 'Nom complet',
+ 'month_year' => 'MOIS/ANNEE',
+ 'valid_thru' => 'Valide\njusqu\'au',
+
+ 'product_fields' => 'Champs de produit',
+ 'custom_product_fields_help' => 'Ajoute un champ lors de la création d\'un produit ou d\'une facture et affiche l\'étiquette et la valeur sur le PDF.',
+ 'freq_two_months' => 'Deux mois',
+ 'freq_yearly' => 'Annuellement',
+ 'profile' => 'Profil',
+ 'payment_type_help' => 'Définit le type de paiement manuel par défaut.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Votre relevé',
+ 'statement_issued_to' => 'Relevé délivré à',
+ 'statement_to' => 'Relevé à',
+ 'customize_options' => 'Personnaliser les options',
+ 'created_payment_term' => 'Conditions de paiement créées avec succès',
+ 'updated_payment_term' => 'Conditions de paiement mises à jour avec succès',
+ 'archived_payment_term' => 'Conditions de paiement archivées avec succès',
+ 'resend_invite' => 'Renvoyer une 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',
+ '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',
+ 'pro_plan_reports' => ':link pour activer les rapports en joignant le Plan Pro',
+ 'mark_ready' => 'Marquer comme prêt',
+
+ 'limits' => 'Limites',
+ 'fees' => 'Frais',
+ 'fee' => 'Frais',
+ 'set_limits_fees' => 'Définir les limites/frais de :gateway_type',
+ 'fees_tax_help' => 'Activer les taxes par article pour définir les taux de taxes.',
+ 'fees_sample' => 'Le frais pour une facture de :amount serait de :total.',
+ 'discount_sample' => 'La réduction pour une facture de :amount serait de :total.',
+ 'no_fees' => 'Aucun frais',
+ 'gateway_fees_disclaimer' => 'Attention: tous les pays/passerelles de paiement n\'autorisent pas l\'ajout de frais. Consultez les conditions d\'utilisation de votre passerelle de paiement.',
+ 'percent' => 'Pourcent',
+ 'location' => 'Localisation',
+ 'line_item' => 'Ligne d\'article',
+ 'surcharge' => 'Majoration',
+ 'location_first_surcharge' => 'Activé - Première majoration',
+ 'location_second_surcharge' => 'Activé - Seconde majoration',
+ 'location_line_item' => 'Activer - Ligne d\'article',
+ 'online_payment_surcharge' => 'Majoration de paiement en ligne',
+ 'gateway_fees' => 'Frais de la passerelle',
+ 'fees_disabled' => 'Les frais sont désactivés',
+ 'gateway_fees_help' => 'Ajoute automatiquement une surcharge/remise de paiement en ligne.',
+ 'gateway' => 'Passerelle',
+ 'gateway_fee_change_warning' => 'S\'il existe des factures impayées avec des frais, elles doivent être mises à jour manuellement.',
+ 'fees_surcharge_help' => 'Personnaliser la majoration :link.',
+ 'label_and_taxes' => 'Libellé et taxes',
+ 'billable' => 'Facturable',
+ 'logo_warning_too_large' => 'Le fichier image est trop grand',
+ 'logo_warning_fileinfo' => 'Attention : Pour supporter les gifs, l\'extension PHP fileinfo doit être activée.',
+ 'logo_warning_invalid' => 'il y a eu un problème lors de la lecture du fichier image, merci d\'essayer un autre format.',
+
+ 'error_refresh_page' => 'Un erreur est survenue, merci de rafraichir la page et essayer à nouveau',
+ 'data' => 'Données',
+ 'imported_settings' => 'Paramètres importés avec succès',
+ 'reset_counter' => 'Remettre le compteur à zéro',
+ 'next_reset' => 'Prochaine remise à zéro',
+ 'reset_counter_help' => 'Remettre automatiquement à zéro les compteurs de facture et de devis.',
+ 'auto_bill_failed' => 'La facturation automatique de :invoice_number a échouée.',
+ 'online_payment_discount' => 'Remise de paiement en ligne',
+ 'created_new_company' => 'La nouvelle entreprise a été créé',
+ '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' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Utilisez $pageNumber et $pageCount pour afficher les informations de la page.',
+ 'credit_note' => 'Avoir',
+ 'credit_issued_to' => 'Crédit accordé à',
+ 'credit_to' => 'Crédit pour ',
+ 'your_credit' => 'Votre crédit',
+ 'credit_number' => 'Numéro d\'avoir',
+ 'create_credit_note' => 'Créer une note de crédit',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Erreur : La table de passerelle a des ID incorrectes.',
+ 'purge_data' => 'Purger les données',
+ 'delete_data' => 'Effacer les données',
+ 'purge_data_help' => 'Supprime toutes les données mais conserve le compte et les réglages',
+ 'cancel_account_help' => 'Supprime le compte ainsi que les données, les comptes et les réglages.',
+ 'purge_successful' => 'Les données de l\'entreprise ont été purgées avec succès',
+ 'forbidden' => 'Interdit',
+ 'purge_data_message' => 'Attention : Cette action va supprimer vos données et est irréversible',
+ 'contact_phone' => 'Téléphone du contact',
+ 'contact_email' => 'Email du contact',
+ 'reply_to_email' => 'Adresse de réponse',
+ 'reply_to_email_help' => 'Spécifier 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 s\'est réalisée avec succès.',
+ 'confirm_account_to_import' => 'Confirmer votre compte pour l\'importation des données.',
+ 'import_started' => 'L\'importation est en cours. Vous recevrez un courriel lorsqu\'elle sera terminée.',
+ 'listening' => 'A l\'écoute...',
+ 'microphone_help' => 'Dire "nouvelle facture pour [client]" ou "montre-moi les paiements archivés pour [client]"',
+ 'voice_commands' => 'Commandes vocales',
+ 'sample_commands' => 'Exemples de commandes',
+ '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 postal',
+ 'archived_products' => ':count produits archivés',
+ 'recommend_on' => 'Nous recommandons d\'activer ce réglage.',
+ 'recommend_off' => 'Nous recommandons dedésactiver ce réglage.',
+ 'notes_auto_billed' => 'Auto-facturation',
+ 'surcharge_label' => 'Majoration',
+ 'contact_fields' => 'Champs de contact',
+ 'custom_contact_fields_help' => 'Ajouter un champ lors de la création d\'un contact et éventuellement afficher l\'étiquette et la valeur sur le PDF.',
+ 'datatable_info' => 'Affichage :start sur :end de :total entrées',
+ 'credit_total' => 'Total Crédit',
+ 'mark_billable' => 'Marquer facturable',
+ 'billed' => 'Facturé',
+ 'company_variables' => 'Variables de la compagnie',
+ 'client_variables' => 'Variables du client',
+ 'invoice_variables' => 'Variables de facture',
+ 'navigation_variables' => 'Variables de navigation',
+ 'custom_variables' => 'Variables personnalisées',
+ 'invalid_file' => 'Type de fichier invalide',
+ 'add_documents_to_invoice' => 'Ajouter un document à la facture',
+ 'mark_expense_paid' => 'Marquer payé',
+ 'white_label_license_error' => 'Validation de licence échouée, vérifier storage/logs/laravel-error.log pour plus de détails.',
+ 'plan_price' => 'Prix du Plan',
+ 'wrong_confirmation' => 'Code de confirmation incorrect',
+ 'oauth_taken' => 'Le compte est déjà enregistré',
+ 'emailed_payment' => 'Paiement envoyé avec succès par email',
+ 'email_payment' => 'Envoyer le paiement par email',
+ 'invoiceplane_import' => 'Utiliser: :link pour migrer vos données depuis InvoicePlane',
+ 'duplicate_expense_warning' => 'Attention: Ce :link est peut être un doublon',
+ 'expense_link' => 'Dépenses',
+ 'resume_task' => 'Relancer la tâche',
+ 'resumed_task' => 'Tâche relancée avec succès',
+ 'quote_design' => 'Mise en page des Devis',
+ 'default_design' => 'Conception standard',
+ 'custom_design1' => 'Modèle personnalisé 1',
+ 'custom_design2' => 'Modèle personnalisé 2',
+ 'custom_design3' => 'Modèle personnalisé 3',
+ 'empty' => 'Vide',
+ 'load_design' => 'Chargé un modèle',
+ 'accepted_card_logos' => 'Logos des cartes acceptées',
+ 'phantomjs_local_and_cloud' => 'Utilisation locale de PhantomJS, retombant à phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Clé Analytics',
+ 'analytics_key_help' => 'Suivez les paiements en utilisant :link',
+ 'start_date_required' => 'La date de début est requise',
+ 'application_settings' => 'Paramètres de l\'application',
+ 'database_connection' => 'Connexion base de donnée',
+ 'driver' => 'Pilote',
+ 'host' => 'Domaine',
+ 'database' => 'Base de données',
+ 'test_connection' => 'Tester la connexion',
+ 'from_name' => 'Nom expéditeur',
+ 'from_address' => 'Adresse expéditeur',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Domaine Mailgun',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Envoyer un email de test',
+ 'select_label' => 'Sélection intitulé',
+ 'label' => 'Intitulé',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Mettre à jour les détails de paiement',
+ 'updated_payment_details' => 'Détails de paiement mis à jour avec succès',
+ 'update_credit_card' => 'Mettre à jour une carte de crédit',
+ 'recurring_expenses' => 'Dépenses récurrentes',
+ 'recurring_expense' => 'Dépense récurrente',
+ 'new_recurring_expense' => 'Nouvelle dépense récurrente',
+ 'edit_recurring_expense' => 'Éditer la dépense récurrente',
+ 'archive_recurring_expense' => 'Archiver la dépense récurrente',
+ 'list_recurring_expense' => 'Liste des dépenses récurrentes',
+ 'updated_recurring_expense' => 'Dépense récurrente mise à jour avec succès',
+ 'created_recurring_expense' => 'Dépense récurrente créée avec succès',
+ 'archived_recurring_expense' => 'Dépense récurrente archivée avec succès',
+ 'archived_recurring_expense' => 'Dépense récurrente archivée avec succès',
+ 'restore_recurring_expense' => 'Restaurer la dépense récurrente',
+ 'restored_recurring_expense' => 'Dépense récurrente restaurée avec succès',
+ 'delete_recurring_expense' => 'Supprimer la dépense récurrente',
+ 'deleted_recurring_expense' => 'Projet supprimé avec succès',
+ 'deleted_recurring_expense' => 'Projet supprimé avec succès',
+ 'view_recurring_expense' => 'Voir la dépense récurrente',
+ 'taxes_and_fees' => 'Taxes et frais',
+ 'import_failed' => 'L\'importation a échoué',
+ 'recurring_prefix' => 'Préfixe récurrent',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Spécifier un préfixe ou utiliser un motif personnalisé pour définir dynamiquement le numéro de crédit pour les factures négatives.',
+ 'next_credit_number' => 'Le prochain numéro de crédit est :number',
+ 'padding_help' => 'Le nombre de zéro(s) pour remplir le numéro.',
+ 'import_warning_invalid_date' => 'Attention : Le format de la date semble être invalide.',
+ 'product_notes' => 'Notes de produit',
+ 'app_version' => 'Version de l\'App',
+ 'ofx_version' => 'Version OFX',
+ 'gateway_help_23' => ':link pour obtenir vos clés d\'API Stripe.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run php artisan ninja:update-key
',
+ 'charge_late_fee' => 'Faire payer des frais de retard',
+ 'late_fee_amount' => 'Montant de pénalité de retard',
+ 'late_fee_percent' => 'Pourcentage de pénalité de retard',
+ 'late_fee_added' => 'Frais de retard ajoutés le :date',
+ 'download_invoice' => 'Télécharger la facture',
+ 'download_quote' => 'Télécharger le devis',
+ 'invoices_are_attached' => 'Votre devis en PDF est en pièce jointe',
+ 'downloaded_invoice' => 'Un courriel sera envoyé avec le PDF de la facture',
+ 'downloaded_quote' => 'Un courriel sera envoyé avec le PDF du devis',
+ 'downloaded_invoices' => 'Un courriel sera envoyé avec les PDFs de la facture',
+ 'downloaded_quotes' => 'Un courriel sera envoyé avec les PDFs du devis',
+ 'clone_expense' => 'Dupliquer la dépense',
+ 'default_documents' => 'Documents par défaut',
+ 'send_email_to_client' => 'Envoyer un courriel au client',
+ 'refund_subject' => 'Remboursement traité',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'Dollar américain',
+ 'currency_british_pound' => 'Livre anglaise',
+ 'currency_euro' => 'Euro',
+ 'currency_south_african_rand' => 'Rand sud-africain',
+ 'currency_danish_krone' => 'Couronne danoise',
+ 'currency_israeli_shekel' => 'Shekel israélien',
+ 'currency_swedish_krona' => 'Couronne suédoise',
+ 'currency_kenyan_shilling' => 'Shilling kényan',
+ 'currency_canadian_dollar' => 'Dollar canadien',
+ 'currency_philippine_peso' => 'Peso philippin',
+ 'currency_indian_rupee' => 'Roupie indienne',
+ 'currency_australian_dollar' => 'Dollar australien',
+ 'currency_singapore_dollar' => 'Dollar singapourien',
+ 'currency_norske_kroner' => 'Couronne norvégienne',
+ 'currency_new_zealand_dollar' => 'Dollar néo-zélandais',
+ 'currency_vietnamese_dong' => 'Dong vietnamien',
+ 'currency_swiss_franc' => 'Franc suisse',
+ 'currency_guatemalan_quetzal' => 'Quetzal guatémaltais',
+ 'currency_malaysian_ringgit' => 'Ringgit malaisien',
+ 'currency_brazilian_real' => 'Réal brésilien',
+ 'currency_thai_baht' => 'Baht thailandais',
+ 'currency_nigerian_naira' => 'Naira nigérian',
+ 'currency_argentine_peso' => 'Peso argentin',
+ 'currency_bangladeshi_taka' => 'Taka bangladais',
+ 'currency_united_arab_emirates_dirham' => 'Dirham émirati',
+ 'currency_hong_kong_dollar' => 'Dollar hongkongais',
+ 'currency_indonesian_rupiah' => 'Rupiah indonésienne',
+ 'currency_mexican_peso' => 'Peso mexicain',
+ 'currency_egyptian_pound' => 'Livre égyptienne',
+ 'currency_colombian_peso' => 'Peso colombien',
+ 'currency_west_african_franc' => 'Franc CFA',
+ 'currency_chinese_renminbi' => 'Renminbi chinois',
+ 'currency_rwandan_franc' => 'Franc rwandais',
+ 'currency_tanzanian_shilling' => 'Shilling tanzanien',
+ 'currency_netherlands_antillean_guilder' => 'Florin antillais',
+ 'currency_trinidad_and_tobago_dollar' => 'Dollar trinidadien',
+ 'currency_east_caribbean_dollar' => 'Dollar est-caribéen',
+ 'currency_ghanaian_cedi' => 'Cedi ghanéen',
+ 'currency_bulgarian_lev' => 'Lev bulgare',
+ 'currency_aruban_florin' => 'Florin arubais',
+ 'currency_turkish_lira' => 'Livre turque',
+ 'currency_romanian_new_leu' => 'Leu roumain',
+ 'currency_croatian_kuna' => 'Kuna croate',
+ 'currency_saudi_riyal' => 'Riyal saoudien',
+ 'currency_japanese_yen' => 'Yen japonais',
+ 'currency_maldivian_rufiyaa' => 'Rufiyaa maldivienne',
+ 'currency_costa_rican_colon' => 'Colon costaricien',
+ 'currency_pakistani_rupee' => 'Roupie pakistanaise',
+ 'currency_polish_zloty' => 'Złoty polonais',
+ 'currency_sri_lankan_rupee' => 'Roupie srilankaise',
+ 'currency_czech_koruna' => 'Couronne tchèque',
+ 'currency_uruguayan_peso' => 'Peso uruguayen',
+ 'currency_namibian_dollar' => 'Dollar namibien',
+ 'currency_tunisian_dinar' => 'Dinar tunisien',
+ 'currency_russian_ruble' => 'Rouble russe',
+ 'currency_mozambican_metical' => 'Metical mozambicain',
+ 'currency_omani_rial' => 'Rial omanais',
+ 'currency_ukrainian_hryvnia' => 'Hryvnia ukrainienne',
+ 'currency_macanese_pataca' => 'Pataca macanaise',
+ 'currency_taiwan_new_dollar' => 'Dollar taïwanais',
+ 'currency_dominican_peso' => 'Peso dominicain',
+ 'currency_chilean_peso' => 'Peso chilien',
+ 'currency_icelandic_krona' => 'Couronne islandaise',
+ 'currency_papua_new_guinean_kina' => 'Kina de Papouasie-Nouvelle-Guinée',
+ 'currency_jordanian_dinar' => 'Dinar jordanien',
+ 'currency_myanmar_kyat' => 'Kyat myanmarais',
+ 'currency_peruvian_sol' => 'Sol péruvien',
+ 'currency_botswana_pula' => 'Pula botswanais',
+ 'currency_hungarian_forint' => 'Forint hongrois',
+ 'currency_ugandan_shilling' => 'Shilling ougandais',
+ 'currency_barbadian_dollar' => 'Dollar barbadien',
+ 'currency_brunei_dollar' => 'Dollar de Brunei',
+ 'currency_georgian_lari' => 'Lari grégorien',
+ 'currency_qatari_riyal' => 'Rial Qatari',
+ 'currency_honduran_lempira' => 'Lempira hondurien',
+ 'currency_surinamese_dollar' => 'Surinamese Dollar',
+ 'currency_bahraini_dinar' => 'Bahraini Dinar',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'écrire un commentaire',
+
+ 'use_english_version' => 'Assurez vous d\'utiliser la version anglaise du fichier.
Nous utilisons le titre de colonne pour identifier les champs.',
+ 'tax1' => 'Première taxe',
+ 'tax2' => 'Seconde taxe',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Format d\'exportation',
+ 'custom1' => 'Personnalisé1',
+ 'custom2' => 'Personnalisé2',
+ 'contact_first_name' => 'Prénom du contact',
+ 'contact_last_name' => 'Nom du contact',
+ 'contact_custom1' => 'Premier champ de contact personnalisé ',
+ 'contact_custom2' => 'Second champ de contact personnalisé',
+ 'currency' => 'Devise',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'commentaires',
+
+ 'item_product' => 'Produit de l\'article',
+ 'item_notes' => 'Notes de l\'article',
+ 'item_cost' => 'Coût de l\'article',
+ 'item_quantity' => 'Quantité de l\'article',
+ 'item_tax_rate' => 'Taux de taxe de l\'article',
+ 'item_tax_name' => 'Nom de taxe de l\'article',
+ 'item_tax1' => 'Taxe 1 de l\'article',
+ 'item_tax2' => 'Taxe 2 de l\'article',
+
+ 'delete_company' => 'Supprimer la société',
+ 'delete_company_help' => 'Supprime définitivement la société avec toutes ses données et paramètres.',
+ 'delete_company_message' => 'Attention : Ceci supprimera définitivement votre société, il n\'y a pas d\'annulation.',
+
+ 'applied_discount' => 'Le coupon a été appliqué ; le prix du plan a été réduit de :discount %.',
+ 'applied_free_year' => 'Le coupon a été appliqué ; votre compte a été mis à niveau vers pro pour une année.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Inclure les erreurs',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'erreurs récentes',
+ 'customer' => 'Client',
+ 'customers' => 'Clients',
+ 'created_customer' => 'Client créé avec succès',
+ 'created_customers' => ':count clients créés avec succès',
+
+ 'purge_details' => 'Les données dans votre entreprise (:account) ont été purgées avec succès.',
+ 'deleted_company' => 'Société supprimée avec succès',
+ 'deleted_account' => 'Compte annulé 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.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'Prélèvement automatique/domiciliation SEPA',
+ 'enable_alipay' => 'Accepter Alipay',
+ 'enable_sofort' => 'Accepter les transferts bancaires européens',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendrier',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'Sur quoi travaillez-vous ?',
+ 'time_tracker' => 'Suivi du temps',
+ 'refresh' => 'Rafraîchir',
+ 'filter_sort' => 'Filtrer/Trier',
+ 'no_description' => 'Aucune description',
+ 'time_tracker_login' => 'Connexion au suivi du temps',
+ 'save_or_discard' => 'Enregistrer ou ignorer vos modifications',
+ 'discard_changes' => 'Ignorer les modifications',
+ 'tasks_not_enabled' => 'Les tâches ne sont pas activées.',
+ 'started_task' => 'Tâche démarrée avec succès',
+ 'create_client' => 'Créer un client',
+
+ 'download_desktop_app' => 'Télécharger l\'application de bureau',
+ 'download_iphone_app' => 'Télécharger l\'app iPhone',
+ 'download_android_app' => 'Télécharger l\'app Android',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Arrêté',
+ 'ascending' => 'Ascendant',
+ 'descending' => 'Descendant',
+ 'sort_field' => 'Trier par',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Ignorer',
+ 'time_am' => 'du matin',
+ 'time_pm' => 'du soir',
+ 'time_mins' => 'min',
+ 'time_hr' => 'h',
+ 'time_hrs' => 'h',
+ 'clear' => 'Effacer',
+ 'warn_payment_gateway' => 'Note : Une passerelle de paiement est requise pour accepter les règlements en ligne, :link pour en ajouter une.',
+ 'task_rate' => 'Taux de tâche',
+ 'task_rate_help' => 'Définir le taux par défaut pour les tâches facturées.',
+ 'past_due' => 'En retard',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Facture/Dépense',
+ 'invoice_pdfs' => 'PDFs de facture',
+ 'enable_sepa' => 'Accepter SEPA',
+ 'enable_bitcoin' => 'Accepter Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Récupérer la licence',
+ 'purchase' => 'Acheter',
+ 'recover' => 'Récupérer',
+ 'apply' => 'Appliquer',
+ 'recover_white_label_header' => 'Récupérer la licence marque blanche',
+ 'apply_white_label_header' => 'Appliquer la licence marque blanche',
+ 'videos' => 'Vidéos',
+ 'video' => 'Vidéo',
+ 'return_to_invoice' => 'Retourner à la facture',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Paiement partiel',
+ 'task_fields' => 'Champs de tâche',
+ 'product_fields_help' => 'Glissez et déposez les champs pour changer leur ordre',
+ 'custom_value1' => 'Valeur Personnalisée 1',
+ 'custom_value2' => 'Valeur Personnalisée 2',
+ 'enable_two_factor' => 'Authentification à 2 facteurs',
+ 'enable_two_factor_help' => 'Utilisez votre téléphone pour confirmer votre identité lorsque vous vous connectez',
+ 'two_factor_setup' => 'Configuration à deux facteurs',
+ 'two_factor_setup_help' => 'Scannez le code à barres avec une application compatible :link',
+ 'one_time_password' => 'Mot de passe à usage unique',
+ 'set_phone_for_two_factor' => 'Définissez votre numéro de téléphone mobile comme une sauvegarde pour activer.',
+ 'enabled_two_factor' => 'Authentification à deux facteurs activée avec succès',
+ 'add_product' => 'Ajouter un produit',
+ 'email_will_be_sent_on' => 'Note : le courriel sera envoyé le :date.',
+ 'invoice_product' => 'Facturer le produit',
+ 'self_host_login' => 'Connexion de l\'auto-hébergement',
+ 'set_self_hoat_url' => 'URL de l\'auto-hébergement',
+ 'local_storage_required' => 'Erreur : le stockage local n\'est pas disponible.',
+ 'your_password_reset_link' => 'Votre lien de réinitialisation de mot de passe',
+ 'subdomain_taken' => 'Le sous-domaine est déjà utilisé',
+ 'client_login' => 'Connexion client',
+ 'converted_amount' => 'Montant converti',
+ 'default' => 'Par défaut',
+ 'shipping_address' => 'Adresse de Livraison',
+ 'bllling_address' => 'Adresse de Facturation',
+ 'billing_address1' => 'Rue',
+ 'billing_address2' => 'Appt/Bâtiment',
+ 'billing_city' => 'Ville',
+ 'billing_state' => 'Région/Département',
+ 'billing_postal_code' => 'Code postal',
+ 'billing_country' => 'Pays',
+ 'shipping_address1' => 'Rue',
+ 'shipping_address2' => 'Appt/Bâtiment',
+ 'shipping_city' => 'Ville',
+ 'shipping_state' => 'Région/Département',
+ 'shipping_postal_code' => 'Code postal',
+ 'shipping_country' => 'Pays',
+ 'classify' => 'Classification',
+ 'show_shipping_address_help' => 'Exiger du client qu\'il fournisse une adresse de livraison.',
+ 'ship_to_billing_address' => 'Livrer à l\'adresse de facturation',
+ 'delivery_note' => 'Bon de livraison',
+ 'show_tasks_in_portal' => 'Afficher les tâches dans le portail client',
+ 'cancel_schedule' => 'Annuler la planification',
+ 'scheduled_report' => 'Rapport planifié',
+ 'scheduled_report_help' => 'Envoyer le rapport :report par courriel comme :format à :email',
+ 'created_scheduled_report' => 'Rapport planifié avec succès',
+ 'deleted_scheduled_report' => 'Rapport planifié annulé avec succès',
+ 'scheduled_report_attached' => 'Votre rapport planifié :type est joint.',
+ 'scheduled_report_error' => 'Impossible de créer le rapport planifié',
+ 'invalid_one_time_password' => 'Mot de passe à usage unique invalide',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accepter Apple Pay et Payer avec Google',
+ 'requires_subdomain' => 'Ce type de paiement nécessite qu\'un :link.',
+ 'subdomain_is_set' => 'le sous-domaine est défini',
+ 'verification_file' => 'Fichier de vérification',
+ 'verification_file_missing' => 'Le fichier de vérification est nécessaire pour accepter les paiements.',
+ 'apple_pay_domain' => 'Utiliser :domain
comme le domaine dans :link.',
+ 'apple_pay_not_supported' => 'Désolé, Apple/Google Pay n\'est pas supporté par votre navigateur',
+ 'optional_payment_methods' => 'Méthodes de paiement optionnelles',
+ 'add_subscription' => 'Ajouter un abonnement',
+ 'target_url' => 'Cible',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Evénement',
+ 'subscription_event_1' => 'Client créé',
+ 'subscription_event_2' => 'Facture créée',
+ 'subscription_event_3' => 'Devis créé',
+ 'subscription_event_4' => 'Paiement créé',
+ 'subscription_event_5' => 'Fournisseur créé',
+ 'subscription_event_6' => 'Devis mis à jour',
+ 'subscription_event_7' => 'Devis supprimé',
+ 'subscription_event_8' => 'Facture mise à jour',
+ 'subscription_event_9' => 'Facture supprimée',
+ 'subscription_event_10' => 'Client mis à jour',
+ 'subscription_event_11' => 'Client supprimé',
+ 'subscription_event_12' => 'Paiement supprimé',
+ 'subscription_event_13' => 'Fournisseur mis à jour',
+ 'subscription_event_14' => 'Fournisseur supprimé',
+ 'subscription_event_15' => 'Dépense créée',
+ 'subscription_event_16' => 'Dépense mise à jour',
+ 'subscription_event_17' => 'Dépense supprimée',
+ 'subscription_event_18' => 'Tâche créée',
+ 'subscription_event_19' => 'Tâche mise à jour',
+ 'subscription_event_20' => 'Tâche supprimée',
+ 'subscription_event_21' => 'Devis approuvé',
+ 'subscriptions' => 'Abonnements',
+ 'updated_subscription' => 'Abonnement mis à jour avec succès',
+ 'created_subscription' => 'Abonnement créé avec succès',
+ 'edit_subscription' => 'Éditer l\'abonnement',
+ 'archive_subscription' => 'Archiver l\'abonnement',
+ 'archived_subscription' => 'Abonnement archivé avec succès',
+ 'project_error_multiple_clients' => 'Les projets ne peuvent pas appartenir à des clients différents',
+ 'invoice_project' => 'Facturer le projet',
+ 'module_recurring_invoice' => 'Factures récurrentes',
+ 'module_credit' => 'Avoirs',
+ 'module_quote' => 'Devis & Propositions',
+ 'module_task' => 'Tâches & Projets',
+ 'module_expense' => 'Dépenses & Fournisseurs',
+ 'reminders' => 'Rappels',
+ 'send_client_reminders' => 'Envoyer des mails de rappels',
+ 'can_view_tasks' => 'Les tâches sont visibles dans le portail',
+ 'is_not_sent_reminders' => 'Les rappels ne sont pas envoyés',
+ 'promotion_footer' => 'Your promotion will expire soon, :link to upgrade now.',
+ 'unable_to_delete_primary' => 'Note : pour supprimer cette société, supprimez tout d\'abord toutes les sociétés liées.',
+ 'please_register' => 'Veuillez enregistrer votre compte',
+ 'processing_request' => 'Traitement de la requête',
+ 'mcrypt_warning' => 'Attention : Mcrypt est déprécié, exécutez :command pour mettre à jour votre chiffrement.',
+ 'edit_times' => 'Modifier les heures',
+ 'inclusive_taxes_help' => 'Inclure les taxes dans le coût',
+ 'inclusive_taxes_notice' => 'Ce paramètre ne peut pas être changé une fois qu\'une facture a été créée.',
+ 'inclusive_taxes_warning' => 'Attention : les factures existantes devront être réenregistrées',
+ 'copy_shipping' => 'Copier expédition',
+ 'copy_billing' => 'Copier facturation',
+ 'quote_has_expired' => 'Le devis a expiré, veuillez contacter le commerçant.',
+ 'empty_table_footer' => 'Afficher 0 sur 0 de 0 entrées',
+ 'do_not_trust' => 'Ne pas se souvenir de cet appareil',
+ 'trust_for_30_days' => 'Faire confiance pendant 30 jours',
+ 'trust_forever' => 'Faire confiance pour toujours',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Arriéré',
+ 'ready_to_do' => 'Prêt à faire',
+ 'in_progress' => 'En cours',
+ 'add_status' => 'Ajouter un statut',
+ 'archive_status' => 'Archiver le statut',
+ 'new_status' => 'Nouveau statut',
+ 'convert_products' => 'Convertir les produits',
+ 'convert_products_help' => 'Convertir automatiquement les prix des produits dans la devise du client',
+ 'improve_client_portal_link' => 'Définir un sous-domaine pour raccourcir le lien du portail client',
+ 'budgeted_hours' => 'Heures budgétées',
+ 'progress' => 'Progression',
+ 'view_project' => 'Voir le projet',
+ 'summary' => 'Résumé',
+ 'endless_reminder' => 'Rappel sans fin',
+ 'signature_on_invoice_help' => 'Ajoutez le code suivant pour afficher la signature de votre client sur le PDF.',
+ 'signature_on_pdf' => 'Afficher sur le PDF',
+ 'signature_on_pdf_help' => 'Afficher la signature du client sur la facture / le devis PDF.',
+ 'expired_white_label' => 'La licence marque blanche a expiré',
+ 'return_to_login' => 'Retourner à la connexion',
+ 'convert_products_tip' => 'Note : ajouter un :link nommé ":name" pour voir le taux de change.',
+ 'amount_greater_than_balance' => 'Le montant est supérieur au solde de la facture, un avoir sera créé avec le montant restant.',
+ 'custom_fields_tip' => 'Utiliser Etiquette|Option1,Option2
pour afficher une boîte de sélection.',
+ 'client_information' => 'Informations sur le client',
+ 'updated_client_details' => 'Détails client mis à jour avec succès',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Montant de la taxe',
+ 'tax_paid' => 'Taxe payée',
+ 'none' => 'Aucun(e)',
+ 'proposal_message_button' => 'Pour visionner votre proposition de :amount, cliquez sur le bouton ci-dessous.',
+ 'proposal' => 'Proposition',
+ 'proposals' => 'Propositions',
+ 'list_proposals' => 'Liste des propositions',
+ 'new_proposal' => 'Nouvelle proposition',
+ 'edit_proposal' => 'Éditer la proposition',
+ 'archive_proposal' => 'Archiver la proposition',
+ 'delete_proposal' => 'Supprimer la proposition',
+ 'created_proposal' => 'Proposition créée avec succès',
+ 'updated_proposal' => 'Proposition mise à jour avec succès',
+ 'archived_proposal' => 'Proposition archivée avec succès',
+ 'deleted_proposal' => 'Proposition archivée avec succès',
+ 'archived_proposals' => ':count propositions archivées avec succès',
+ 'deleted_proposals' => ':count propositions archivées avec succès',
+ 'restored_proposal' => 'Proposition restaurée avec succès',
+ 'restore_proposal' => 'Restaurer la proposition',
+ 'snippet' => 'Extrait',
+ 'snippets' => 'Extraits',
+ 'proposal_snippet' => 'Extrait',
+ 'proposal_snippets' => 'Extraits',
+ 'new_proposal_snippet' => 'Nouvel extrait',
+ 'edit_proposal_snippet' => 'Modifier l\'extrait',
+ 'archive_proposal_snippet' => 'Archiver l\'extrait',
+ 'delete_proposal_snippet' => 'Supprimer l\'extrait',
+ 'created_proposal_snippet' => 'Extrait créé avec succès',
+ 'updated_proposal_snippet' => 'Extrait mis à jour avec succès',
+ 'archived_proposal_snippet' => 'Extrait archivé avec succès',
+ 'deleted_proposal_snippet' => 'Extrait supprimé avec succès',
+ 'archived_proposal_snippets' => ':count extraits archivés avec succès',
+ 'deleted_proposal_snippets' => ':count extraits supprimés avec succès',
+ 'restored_proposal_snippet' => 'Extrait restauré avec succès',
+ 'restore_proposal_snippet' => 'Restaurer l\'extrait',
+ 'template' => 'Modèle',
+ 'templates' => 'Modèles',
+ 'proposal_template' => 'Modèle',
+ 'proposal_templates' => 'Modèles',
+ 'new_proposal_template' => 'Nouveau modèle',
+ 'edit_proposal_template' => 'Éditer le modèle',
+ 'archive_proposal_template' => 'Archiver le modèle',
+ 'delete_proposal_template' => 'Supprimer le modèle',
+ 'created_proposal_template' => 'Modèle créé avec succès',
+ 'updated_proposal_template' => 'Modèle mise à jour avec succès',
+ 'archived_proposal_template' => 'Modèle archivé avec succès',
+ 'deleted_proposal_template' => 'Modèle archivé avec succès',
+ 'archived_proposal_templates' => ':count modèles archivés avec succès',
+ 'deleted_proposal_templates' => ':count modèles archivés avec succès',
+ 'restored_proposal_template' => 'Modèle restauré avec succès',
+ 'restore_proposal_template' => 'Restaurer le modèle',
+ 'proposal_category' => 'Catégorie',
+ 'proposal_categories' => 'Catégories',
+ 'new_proposal_category' => 'Nouvelle catégorie',
+ 'edit_proposal_category' => 'Éditer la catégorie',
+ 'archive_proposal_category' => 'Archiver la catégorie',
+ 'delete_proposal_category' => 'Supprimer la catégorie',
+ 'created_proposal_category' => 'Catégorie créée avec succès',
+ 'updated_proposal_category' => 'Catégorie mise à jour avec succès',
+ 'archived_proposal_category' => 'Catégorie archivée avec succès',
+ 'deleted_proposal_category' => 'Catégorie archivée avec succès',
+ 'archived_proposal_categories' => ':count catégories archivées avec succès',
+ 'deleted_proposal_categories' => ':count catégories archivées avec succès',
+ 'restored_proposal_category' => 'Catégorie restaurée avec succès',
+ 'restore_proposal_category' => 'Restaurer la catégorie',
+ 'delete_status' => 'Supprimer le statut',
+ 'standard' => 'Standard',
+ 'icon' => 'Icône',
+ 'proposal_not_found' => 'La proposition demandée n\'est pas disponible',
+ 'create_proposal_category' => 'Créer une catégorie',
+ 'clone_proposal_template' => 'Cloner le modèle',
+ 'proposal_email' => 'Email de proposition',
+ 'proposal_subject' => 'Nouvelle proposition :number de :account',
+ 'proposal_message' => 'Pour visionner votre proposition de :amount, cliquez sur le lien ci-dessous.',
+ 'emailed_proposal' => 'Proposition envoyée par courriel avec succès',
+ 'load_template' => 'Charger le modèle',
+ 'no_assets' => 'Aucune image, faites glisser pour téléverser',
+ 'add_image' => 'Ajouter une image',
+ 'select_image' => 'Sélectionner une image',
+ 'upgrade_to_upload_images' => 'Mettre à niveau vers le plan entreprise pour téléverser des images',
+ 'delete_image' => 'Supprimer l\'image',
+ 'delete_image_help' => 'Attention : supprimer l\'image la retirera de toutes les propositions.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note : Les taxes incluses ont été activées.',
+ 'taxes_are_not_included_help' => 'Note : Les taxes incluses ne sont pas activées.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'L\'adresse de courriel a été changée',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'L\'exportation vers ZIP nécessite l\'extension GMP',
+ 'email_history' => 'Historique de courriel',
+ 'loading' => 'Chargement',
+ 'no_messages_found' => 'Aucun message trouvé',
+ 'processing' => 'Traitement',
+ 'reactivate' => 'Réactiver',
+ 'reactivated_email' => 'L\'adresse courriel a été réactivée',
+ 'emails' => 'Courriels',
+ 'opened' => 'Ouvert(e)',
+ 'bounced' => 'Rebondi',
+ 'total_sent' => 'Total envoyé',
+ 'total_opened' => 'Total ouvert',
+ 'total_bounced' => 'Total rebondi',
+ 'total_spam' => 'Total indésirable',
+ 'platforms' => 'Plateformes',
+ 'email_clients' => 'Clients courriel',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Bureau',
+ 'webmail' => 'Webmail',
+ 'group' => 'Groupe',
+ 'subgroup' => 'Sous-groupe',
+ 'unset' => 'Non-défini',
+ 'received_new_payment' => 'Vous avez reçu un nouveau paiement !',
+ 'slack_webhook_help' => 'Recevoir des notifications de paiement en utilisant :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accepter',
+ 'accepted_terms' => 'Les dernières conditions de service ont été acceptées avec succès.',
+ 'invalid_url' => 'URL invalide',
+ 'workflow_settings' => 'Paramètres de flux de travail',
+ 'auto_email_invoice' => 'Envoyer automatiquement par courriel',
+ 'auto_email_invoice_help' => 'Envoyer automatiquement par courriel les factures récurrentes lorsqu\'elles sont créés.',
+ 'auto_archive_invoice' => 'Archiver automatiquement',
+ 'auto_archive_invoice_help' => 'Archiver automatiquement les factures lorsqu\'elles sont payées.',
+ 'auto_archive_quote' => 'Archiver automatiquement',
+ 'auto_archive_quote_help' => 'Archiver automatiquement les devis lorsqu\'ils sont convertis.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Flux de travail de facture',
+ 'quote_workflow' => 'Flux de travail de devis',
+ 'client_must_be_active' => 'Erreur : le client doit être actif',
+ 'purge_client' => 'Purger le client',
+ 'purged_client' => 'Client purgé avec succès',
+ 'purge_client_warning' => 'Tous les enregistrements associés (factures, tâches, dépenses, documents, ...) seront également supprimés.',
+ 'clone_product' => 'Dupliquer le produit',
+ 'item_details' => 'Détails de l\'article',
+ 'send_item_details_help' => 'Envoyer les détails de l\'article de la ligne à la passerelle de paiement.',
+ 'view_proposal' => 'Voir la proposition',
+ 'view_in_portal' => 'Voir dans le portail',
+ 'cookie_message' => 'Ce site Web utilise des cookies pour vous assurer la meilleure expérience sur notre site Web.',
+ 'got_it' => 'J\'ai compris !',
+ 'vendor_will_create' => 'fournisseur sera créé',
+ 'vendors_will_create' => 'fournisseurs seront créés',
+ 'created_vendors' => ':count fournisseur(s) créé(s) avec succès',
+ 'import_vendors' => 'Importer des fournisseurs',
+ 'company' => 'Entreprise',
+ 'client_field' => 'Champ de client',
+ 'contact_field' => 'Champ de contact',
+ 'product_field' => 'Champ de produit',
+ 'task_field' => 'Champ de tâche',
+ 'project_field' => 'Champ de projet',
+ 'expense_field' => 'Champ de dépense',
+ 'vendor_field' => 'Champ de fournisseur',
+ 'company_field' => 'Champ d\'entreprise',
+ 'invoice_field' => 'Champ de facture',
+ 'invoice_surcharge' => 'Majoration de facture',
+ 'custom_task_fields_help' => 'Ajouter un champ lors de la création d\'une tâche.',
+ 'custom_project_fields_help' => 'Ajouter un champ lors de la création d\'un projet.',
+ 'custom_expense_fields_help' => 'Ajouter un champ lors de la création d\'une dépense.',
+ 'custom_vendor_fields_help' => 'Ajouter un champ lors de la création d\'un fournisseur.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Facture impayée',
+ 'paid_invoice' => 'Facture payée',
+ 'unapproved_quote' => 'Devis non-approuvé',
+ 'unapproved_proposal' => 'Proposition non-approuvée',
+ 'autofills_city_state' => 'Remplit automatiquement la ville/l\'état',
+ 'no_match_found' => 'Aucune correspondance trouvée',
+ 'password_strength' => 'Force du mot de passe',
+ 'strength_weak' => 'Faible',
+ 'strength_good' => 'Bonne',
+ 'strength_strong' => 'Forte',
+ 'mark' => 'Marquer',
+ 'updated_task_status' => 'Statut de tâche mis à jour avec succès',
+ 'background_image' => 'Image d\'arrière-plan',
+ 'background_image_help' => 'Utiliser le :link pour gérer vos images, nous recommandons d\'utiliser un petit fichier.',
+ 'proposal_editor' => 'éditeur de proposition',
+ 'background' => 'Arrière-plan',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Majoration de frais de passerelle',
+ 'show_payments' => 'Montrer les paiements',
+ 'show_aging' => 'Montrer le vieillissement',
+ 'reference' => 'Référence',
+ 'amount_paid' => 'Montant payé',
+ 'send_notifications_for' => 'Envoyer des notifications pour',
+ 'all_invoices' => 'Toutes les factures',
+ 'my_invoices' => 'Mes factures',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/fr/validation.php b/resources/lang/fr/validation.php
new file mode 100644
index 000000000000..3ca6271f5790
--- /dev/null
+++ b/resources/lang/fr/validation.php
@@ -0,0 +1,142 @@
+ "Le champ :attribute doit être accepté.",
+ "active_url" => "Le champ :attribute n'est pas une URL valide.",
+ "after" => "Le champ :attribute doit être une date postérieure au :date.",
+ "alpha" => "Le champ :attribute doit seulement contenir des lettres.",
+ "alpha_dash" => "Le champ :attribute doit seulement contenir des lettres, des chiffres et des tirets.",
+ "alpha_num" => "Le champ :attribute doit seulement contenir des chiffres et des lettres.",
+ "array" => "Le champ :attribute doit être un tableau.",
+ "before" => "Le champ :attribute doit être une date antérieure au :date.",
+ "between" => array(
+ "numeric" => "La valeur de :attribute doit être comprise entre :min et :max.",
+ "file" => "Le fichier :attribute doit avoir une taille entre :min et :max kilobytes.",
+ "string" => "Le texte :attribute doit avoir entre :min et :max caractères.",
+ "array" => "Le champ :attribute doit avoir entre :min et :max éléments.",
+ ),
+ "confirmed" => "Le champ de confirmation :attribute ne correspond pas.",
+ "date" => "Le champ :attribute n'est pas une date valide.",
+ "date_format" => "Le champ :attribute ne correspond pas au format :format.",
+ "different" => "Les champs :attribute et :other doivent être différents.",
+ "digits" => "Le champ :attribute doit avoir :digits chiffres.",
+ "digits_between" => "Le champ :attribute doit avoir entre :min and :max chiffres.",
+ "email" => "Le champ :attribute doit être une adresse email valide.",
+ "exists" => "Le champ :attribute sélectionné est invalide.",
+ "image" => "Le champ :attribute doit être une image.",
+ "in" => "Le champ :attribute est invalide.",
+ "integer" => "Le champ :attribute doit être un entier.",
+ "ip" => "Le champ :attribute doit être une adresse IP valide.",
+ "max" => array(
+ "numeric" => "La valeur de :attribute ne peut être supérieure à :max.",
+ "file" => "Le fichier :attribute ne peut être plus gros que :max kilobytes.",
+ "string" => "Le texte de :attribute ne peut contenir plus de :max caractères.",
+ "array" => "Le champ :attribute ne peut avoir plus de :max éléments.",
+ ),
+ "mimes" => "Le champ :attribute doit être un fichier de type : :values.",
+ "min" => array(
+ "numeric" => "La valeur de :attribute doit être supérieure à :min.",
+ "file" => "Le fichier :attribute doit être plus que gros que :min kilobytes.",
+ "string" => "Le texte :attribute doit contenir au moins :min caractères.",
+ "array" => "Le champ :attribute doit avoir au moins :min éléments.",
+ ),
+ "not_in" => "Le champ :attribute sélectionné n'est pas valide.",
+ "numeric" => "Le champ :attribute doit contenir un nombre.",
+ "regex" => "Le format du champ :attribute est invalide.",
+ "required" => "Le champ :attribute est obligatoire.",
+ "required_if" => "Le champ :attribute est obligatoire quand la valeur de :other est :value.",
+ "required_with" => "Le champ :attribute est obligatoire quand :values est présent.",
+ "required_with_all" => "Le champ :attribute est obligatoire quand :values est présent.",
+ "required_without" => "Le champ :attribute est obligatoire quand :values n'est pas présent.",
+ "required_without_all" => "Le champ :attribute est requis quand aucun de :values n'est présent.",
+ "same" => "Les champs :attribute et :other doivent être identiques.",
+ "size" => array(
+ "numeric" => "La valeur de :attribute doit être :size.",
+ "file" => "La taille du fichier de :attribute doit être de :size kilobytes.",
+ "string" => "Le texte de :attribute doit contenir :size caractères.",
+ "array" => "Le champ :attribute doit contenir :size éléments.",
+ ),
+ "unique" => "La valeur du champ :attribute est déjà utilisée.",
+ "url" => "Le format de l'URL de :attribute n'est pas valide.",
+
+ "positive" => "The :attribute must be greater than zero.",
+ "has_credit" => "The client does not have enough credit.",
+ "notmasked" => "The values are masked",
+ "less_than" => 'The :attribute must be less than :value',
+ "has_counter" => 'The value must contain {$counter}',
+ "valid_contacts" => "All of the contacts must have either an email or name",
+ "valid_invoice_items" => "The invoice exceeds the maximum amount",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(
+ 'attribute-name' => array(
+ 'rule-name' => 'custom-message',
+ ),
+ ),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(
+ "name" => "Nom",
+ "username" => "Pseudo",
+ "email" => "E-mail",
+ "first_name" => "Prénom",
+ "last_name" => "Nom",
+ "password" => "Mot de passe",
+ "password_confirmation" => "Confirmation du mot de passe",
+ "city" => "Ville",
+ "country" => "Pays",
+ "address" => "Adresse",
+ "phone" => "Téléphone",
+ "mobile" => "Portable",
+ "age" => "Age",
+ "sex" => "Sexe",
+ "gender" => "Genre",
+ "day" => "Jour",
+ "month" => "Mois",
+ "year" => "Année",
+ "hour" => "Heure",
+ "minute" => "Minute",
+ "second" => "Seconde",
+ "title" => "Titre",
+ "content" => "Contenu",
+ "description" => "Description",
+ "excerpt" => "Extrait",
+ "date" => "Date",
+ "time" => "Heure",
+ "available" => "Disponible",
+ "size" => "Taille",
+ ),
+
+);
diff --git a/resources/lang/fr_CA/pagination.php b/resources/lang/fr_CA/pagination.php
new file mode 100644
index 000000000000..76976c0ef428
--- /dev/null
+++ b/resources/lang/fr_CA/pagination.php
@@ -0,0 +1,20 @@
+ '« Précédent',
+
+ 'next' => 'Suivant »',
+
+);
diff --git a/resources/lang/fr_CA/reminders.php b/resources/lang/fr_CA/reminders.php
new file mode 100644
index 000000000000..cbc4a09123a2
--- /dev/null
+++ b/resources/lang/fr_CA/reminders.php
@@ -0,0 +1,24 @@
+ "Les mots de passe doivent avoir au moins six caractères et doivent être identiques.",
+
+ "user" => "Nous ne pouvons trouver cet utilisateur avec cette adresse courriel.",
+
+ "token" => "Ce jeton de réinitialisation du mot de passe n'est pas valide.",
+
+ "sent" => "Rappel du mot de passe envoyé !",
+
+);
diff --git a/resources/lang/fr_CA/texts.php b/resources/lang/fr_CA/texts.php
new file mode 100644
index 000000000000..80aad58c9df9
--- /dev/null
+++ b/resources/lang/fr_CA/texts.php
@@ -0,0 +1,2864 @@
+ 'Entreprise',
+ 'name' => 'Nom',
+ 'website' => 'Site web',
+ 'work_phone' => 'Téléphone',
+ 'address' => 'Adresse',
+ 'address1' => 'Rue',
+ 'address2' => 'Adresse 2',
+ 'city' => 'Ville',
+ 'state' => 'Province',
+ 'postal_code' => 'Code postal',
+ 'country_id' => 'Pays',
+ 'contacts' => 'Contact',
+ 'first_name' => 'Prénom',
+ 'last_name' => 'Nom',
+ 'phone' => 'Téléphone',
+ 'email' => 'Courriel',
+ 'additional_info' => 'Informations complémentaires',
+ 'payment_terms' => 'Termes',
+ 'currency_id' => 'Devise',
+ 'size_id' => 'Taille de l\'entreprise',
+ 'industry_id' => 'Secteur d\'activité',
+ 'private_notes' => 'Notes personnelle',
+ 'invoice' => 'Facture',
+ 'client' => 'Client',
+ 'invoice_date' => 'Date',
+ 'due_date' => 'Échéance',
+ 'invoice_number' => 'N° de facture',
+ 'invoice_number_short' => 'Facture #',
+ 'po_number' => 'N° bon de commande',
+ 'po_number_short' => 'Bon de commande #',
+ 'frequency_id' => 'Fréquence',
+ 'discount' => 'Escompte',
+ 'taxes' => 'Taxes',
+ 'tax' => 'Taxe',
+ 'item' => 'Article',
+ 'description' => 'Description',
+ 'unit_cost' => 'Coût unitaire',
+ 'quantity' => 'Quantité',
+ 'line_total' => 'Total',
+ 'subtotal' => 'Sous total',
+ 'paid_to_date' => 'Montant reçu',
+ 'balance_due' => 'Montant total',
+ 'invoice_design_id' => 'Modèle',
+ 'terms' => 'Termes',
+ 'your_invoice' => 'Votre Facture',
+ 'remove_contact' => 'Supprimer un contact',
+ 'add_contact' => 'Ajouter un contact',
+ 'create_new_client' => 'Ajouter un nouveau client',
+ 'edit_client_details' => 'Modifier les informations du client',
+ 'enable' => 'Autoriser',
+ 'learn_more' => 'En savoir plus',
+ 'manage_rates' => 'Gérer les taux',
+ 'note_to_client' => 'Commentaire pour le client',
+ 'invoice_terms' => 'Conditions de facturation',
+ 'save_as_default_terms' => 'Sauvegarder comme conditions par défaut',
+ 'download_pdf' => 'PDF',
+ 'pay_now' => 'Payer maintenant',
+ 'save_invoice' => 'Sauvegarder la facture',
+ 'clone_invoice' => 'Dupliquer en facture',
+ 'archive_invoice' => 'Archiver la facture',
+ 'delete_invoice' => 'Supprimer la facture',
+ 'email_invoice' => 'Envoyer par courriel',
+ 'enter_payment' => 'Entrer un paiement',
+ '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',
+ 'dashboard' => 'Tableau de bord',
+ 'clients' => 'Clients',
+ 'invoices' => 'Factures',
+ 'payments' => 'Paiements',
+ 'credits' => 'Crédits',
+ 'history' => 'Historique',
+ 'search' => 'Rechercher',
+ 'sign_up' => 'Inscription',
+ 'guest' => 'Invité',
+ 'company_details' => 'Informations sur l\'entreprise',
+ 'online_payments' => 'Paiements en ligne',
+ 'notifications' => 'Notifications',
+ 'import_export' => 'Importer/Exporter',
+ 'done' => 'Valider',
+ 'save' => 'Sauvegarder',
+ 'create' => 'Créer',
+ 'upload' => 'Envoyer',
+ 'import' => 'Importer',
+ 'download' => 'Télécharger',
+ 'cancel' => 'Annuler',
+ 'close' => 'Fermer',
+ 'provide_email' => 'Veuillez renseigner une adresse courriel valide',
+ 'powered_by' => 'Propulsé par',
+ 'no_items' => 'Aucun élément',
+ '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.
+ Exemples de variables dynamiques pour les factures:
+
+ - "Adhésion au club de gym pour le mois de :MONTH" >> "Adhésion au club de gym pour le mois de Juillet"
+ - ":YEAR+1 - abonnement annuel" >> "2015 - abonnement annuel"
+ - "Acompte pour le :QUARTER+1" >> "Acompte pour le Q2"
+
',
+ 'recurring_quotes' => 'Soumissions récurrentes',
+ 'in_total_revenue' => 'de bénéfice total',
+ 'billed_client' => 'client facturé',
+ 'billed_clients' => 'clients facturés',
+ 'active_client' => 'client actif',
+ 'active_clients' => 'clients actifs',
+ 'invoices_past_due' => 'Paiements en souffrance',
+ 'upcoming_invoices' => 'Paiements à venir',
+ 'average_invoice' => 'Moyenne',
+ 'archive' => 'Archiver',
+ 'delete' => 'Supprimer',
+ 'archive_client' => 'Archiver ce client',
+ 'delete_client' => 'Supprimer ce client',
+ 'archive_payment' => 'Archiver ce paiement',
+ 'delete_payment' => 'Supprimer ce paiement',
+ 'archive_credit' => 'Archiver ce crédit',
+ 'delete_credit' => 'Supprimer ce crédit',
+ 'show_archived_deleted' => 'Afficher archivés/supprimés',
+ 'filter' => 'Filtrer',
+ 'new_client' => 'Nouveau client',
+ 'new_invoice' => 'Nouvelle facture',
+ 'new_payment' => 'Entrer un paiement',
+ 'new_credit' => 'Entrer un crédit',
+ 'contact' => 'Contact',
+ 'date_created' => 'Date de création',
+ 'last_login' => 'Dernière connexion',
+ 'balance' => 'Solde',
+ 'action' => 'Action',
+ 'status' => 'Statut',
+ 'invoice_total' => 'Montant Total',
+ 'frequency' => 'Fréquence',
+ 'start_date' => 'Date de début',
+ 'end_date' => 'Date de fin',
+ 'transaction_reference' => 'N° de référence',
+ 'method' => 'Méthode',
+ 'payment_amount' => 'Montant du paiement',
+ 'payment_date' => 'Payée le',
+ 'credit_amount' => 'Montant du crédit',
+ 'credit_balance' => 'Solde du crédit',
+ 'credit_date' => 'Date de crédit',
+ 'empty_table' => 'Aucune donnée disponible dans la table',
+ 'select' => 'Sélectionner',
+ 'edit_client' => 'Éditer le client',
+ 'edit_invoice' => 'Éditer la facture',
+ 'create_invoice' => 'Créer une facture',
+ 'enter_credit' => 'Entrer un crédit',
+ 'last_logged_in' => 'Dernière connexion',
+ 'details' => 'Coordonnées',
+ 'standing' => 'En attente',
+ 'credit' => 'Crédit',
+ 'activity' => 'Activité',
+ 'date' => 'Date',
+ 'message' => 'Message',
+ 'adjustment' => 'Réglements',
+ 'are_you_sure' => 'Voulez-vous vraiment effectuer cette action ?',
+ 'payment_type_id' => 'Type de paiement',
+ 'amount' => 'Montant',
+ 'work_email' => 'Courriel',
+ 'language_id' => 'Langue',
+ 'timezone_id' => 'Fuseau horaire',
+ 'date_format_id' => 'Format de date',
+ 'datetime_format_id' => 'Format Date/Heure',
+ 'users' => 'Utilisateurs',
+ 'localization' => 'Paramètres régionaux',
+ 'remove_logo' => 'Supprimer le logo',
+ 'logo_help' => 'Formats supportés: JPEG, GIF et PNG',
+ 'payment_gateway' => 'Passerelle de paiement',
+ 'gateway_id' => 'Passerelle',
+ 'email_notifications' => 'Notifications par courriel',
+ 'email_sent' => 'M\'envoyer un courriel quand une facture est envoyée',
+ 'email_viewed' => 'M\'envoyer un courriel quand une facture est vue',
+ 'email_paid' => 'M\'envoyer un courriel quand une facture est payée',
+ 'site_updates' => 'Mises à jour du site',
+ 'custom_messages' => 'Messages personnalisés',
+ 'default_email_footer' => 'Définir comme la signature de courriel par défaut',
+ 'select_file' => 'Veuillez sélectionner un fichier',
+ 'first_row_headers' => 'Utiliser la première ligne comme entête',
+ 'column' => 'Colonne',
+ 'sample' => 'Exemple',
+ 'import_to' => 'Importer en tant que',
+ 'client_will_create' => 'client sera créé',
+ 'clients_will_create' => 'clients seront créés',
+ 'email_settings' => 'Paramètres courriel',
+ 'client_view_styling' => 'Style de la vue client',
+ 'pdf_email_attachment' => 'Joindre un PDF',
+ 'custom_css' => 'CSS personnalisé',
+ 'import_clients' => 'Importer des données clients',
+ 'csv_file' => 'Sélectionner un fichier CSV',
+ 'export_clients' => 'Exporter des données clients',
+ 'created_client' => 'Le client a été créé',
+ 'created_clients' => 'les :count clients ont été créés',
+ 'updated_settings' => 'Les paramètres ont été mis à jour',
+ 'removed_logo' => 'Le logo a été supprimé',
+ 'sent_message' => 'Le message a été envoyé',
+ 'invoice_error' => 'Veuillez vous assurer de sélectionner un client et de corriger les erreurs',
+ 'limit_clients' => 'Désolé, cela dépasse la limite de :count clients',
+ 'payment_error' => 'Il y a eu une erreur lors du traitement de votre paiement. Veuillez réessayer ultérieurement',
+ 'registration_required' => 'Veuillez vous enregistrer pour envoyer une facture par courriel',
+ 'confirmation_required' => 'Veuillez confirmer votre adresse courriel, :link pour renvoyer le courriel de confirmation.',
+ 'updated_client' => 'Le client a été modifié',
+ 'created_client' => 'Le client a été créé',
+ 'archived_client' => 'Le client a été archivé',
+ 'archived_clients' => ':count clients archivés',
+ 'deleted_client' => 'Le client a été supprimé',
+ 'deleted_clients' => ':count clients supprimés',
+ 'updated_invoice' => 'La facture a été modifiée',
+ 'created_invoice' => 'La facture a été créée',
+ 'cloned_invoice' => 'La facture a été dupliquée',
+ 'emailed_invoice' => 'La facture a été envoyée par courriel',
+ 'and_created_client' => 'et client créé',
+ 'archived_invoice' => 'La facture a été archivée',
+ 'archived_invoices' => ':count factures ont été archivées',
+ 'deleted_invoice' => 'La facture a été supprimée',
+ 'deleted_invoices' => ':count factures supprimées',
+ 'created_payment' => 'Le paiement a été créé',
+ 'created_payments' => ':count paiement(s) créé(s)',
+ 'archived_payment' => 'Le paiement a été archivé',
+ 'archived_payments' => ':count paiement archivés',
+ 'deleted_payment' => 'Le paiement a été supprimé',
+ 'deleted_payments' => ':count paiement supprimés',
+ 'applied_payment' => 'Le paiement a été appliqué',
+ 'created_credit' => 'Le crédit a été créé',
+ 'archived_credit' => 'Le crédit a été archivé',
+ 'archived_credits' => ':count crédits archivés',
+ 'deleted_credit' => 'Le crédit a été supprimé',
+ 'deleted_credits' => ':count crédits supprimés',
+ 'imported_file' => 'Fichier 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 archivés',
+ 'deleted_vendor' => 'Le fournisseur a été supprimé',
+ 'deleted_vendors' => ':count fournisseurs supprimés',
+ 'confirmation_subject' => 'Validation du compte Invoice Ninja',
+ 'confirmation_header' => 'Validation du compte',
+ 'confirmation_message' => 'Veuillez cliquer sur le lien ci-après pour valider votre compte.',
+ 'invoice_subject' => 'Nouvelle facture :number de :account',
+ 'invoice_message' => 'Pour voir votre facture de :amount, Cliquez sur le lien ci-après.',
+ 'payment_subject' => 'Paiement reçu',
+ 'payment_message' => 'Merci pour votre paiement d\'un montant de :amount',
+ 'email_salutation' => 'Cher :name,',
+ 'email_signature' => 'Cordialement,',
+ 'email_from' => 'L\'équipe Invoice Ninja',
+ 'invoice_link_message' => 'Pour voir la facture de votre client cliquez sur le lien ci-après :',
+ 'notification_invoice_paid_subject' => 'La facture :invoice a été payée par le client :client',
+ 'notification_invoice_sent_subject' => 'La facture :invoice a été envoyée au client :client',
+ 'notification_invoice_viewed_subject' => 'La facture :invoice a été vue par le client :client',
+ 'notification_invoice_paid' => 'Un paiement de :amount a été effectué par le client :client concernant la facture :invoice.',
+ 'notification_invoice_sent' => 'Le client suivant :client a reçu par courriel la facture :invoice d\'un montant de :amount',
+ 'notification_invoice_viewed' => 'Le client suivant :client a vu la facture :invoice d\'un montant de :amount',
+ 'reset_password' => 'Vous pouvez réinitialiser votre mot de passe en cliquant sur le lien suivant :',
+ 'secure_payment' => 'Paiement sécurisé',
+ 'card_number' => 'N° de carte',
+ 'expiration_month' => 'Mois d\'expiration',
+ 'expiration_year' => 'Année d\'expiration',
+ 'cvv' => 'CVV',
+ 'logout' => 'Déconnexion',
+ 'sign_up_to_save' => 'Connectez-vous pour sauvegarder votre travail',
+ 'agree_to_terms' => 'J\'accepte les :terms',
+ 'terms_of_service' => 'Conditions d\'utilisation',
+ 'email_taken' => 'L\'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.',
+ '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',
+ 'pro_plan_success' => 'Merci pour votre inscription ! Une fois la facture réglée, votre adhésion au Plan Pro commencera.',
+ 'unsaved_changes' => 'Vous avez des modifications non enregistrées',
+ 'custom_fields' => 'Champs personnalisés',
+ 'company_fields' => 'Champs de société',
+ 'client_fields' => 'Champs client',
+ 'field_label' => 'Nom du champ',
+ 'field_value' => 'Valeur du champ',
+ 'edit' => 'Éditer',
+ 'set_name' => 'Entrez le nom de votre entreprise',
+ 'view_as_recipient' => 'Voir en tant que destinataire',
+ 'product_library' => 'Inventaire',
+ 'product' => 'Produit',
+ 'products' => 'Produits',
+ 'fill_products' => 'Remplissage auto des produits',
+ 'fill_products_help' => 'La sélection d\'un produit entrainera la mise à jour de la description et du prix',
+ 'update_products' => 'Mise à jour auto des produits',
+ 'update_products_help' => 'La mise à jour d\'une facture entraîne la mise à jour des produits',
+ 'create_product' => 'Nouveau produit',
+ 'edit_product' => 'Éditer Produit',
+ 'archive_product' => 'Archiver Produit',
+ 'updated_product' => 'Produit mis à jour',
+ 'created_product' => 'Produit créé',
+ 'archived_product' => 'Produit 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',
+ 'invoice_design' => 'Modèle de facture',
+ 'specify_colors' => 'Spécifiez les couleurs',
+ 'specify_colors_label' => 'Sélectionnez les couleurs utilisés dans les factures',
+ 'chart_builder' => 'Concepteur de graphiques',
+ 'ninja_email_footer' => 'Créé par :site | Créer. Envoyer. Encaisser.',
+ 'go_pro' => 'Devenez Pro',
+ 'quote' => 'Soumission',
+ 'quotes' => 'Soumissions',
+ 'quote_number' => 'N° de soumission',
+ 'quote_number_short' => 'Soumission #',
+ 'quote_date' => 'Date',
+ 'quote_total' => 'Montant de la soumission',
+ 'your_quote' => 'Votre soumission',
+ 'total' => 'Total',
+ 'clone' => 'Dupliquer',
+ 'new_quote' => 'Nouvelle soumission',
+ 'create_quote' => 'Créer une soumission',
+ 'edit_quote' => 'Éditer la soumission',
+ 'archive_quote' => 'Archiver la soumission',
+ 'delete_quote' => 'Supprimer la soumission',
+ 'save_quote' => 'Enregistrer la soumission',
+ 'email_quote' => 'Envoyer la soumission par courriel',
+ 'clone_quote' => 'Dupliquer en soumission',
+ 'convert_to_invoice' => 'Convertir en facture',
+ 'view_invoice' => 'Voir la facture',
+ 'view_client' => 'Voir le client',
+ 'view_quote' => 'Voir la soumission',
+ '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',
+ 'archived_quote' => 'La soumission a été archivée',
+ 'archived_quotes' => ':count soumission 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:',
+ 'notification_quote_sent_subject' => 'La soumission :invoice a été envoyée à :client',
+ 'notification_quote_viewed_subject' => 'La soumission :invoice a été visionnée par :client',
+ 'notification_quote_sent' => 'La soumission :invoice de :amount a été envoyée au client :client.',
+ 'notification_quote_viewed' => 'La soumission :invoice de :amount a été visionnée par le client :client.',
+ 'session_expired' => 'Votre session a expiré.',
+ 'invoice_fields' => 'Champs de facture',
+ 'invoice_options' => 'Options de facturation',
+ 'hide_paid_to_date' => 'Masquer "Payé à ce jour"',
+ 'hide_paid_to_date_help' => 'Afficher seulement la ligne "Payé à ce jour"sur les factures pour lesquelles il y a au moins un paiement.',
+ 'charge_taxes' => 'Taxe supplémentaire',
+ 'user_management' => 'Gestion des utilisateurs',
+ 'add_user' => 'Ajouter utilisateur',
+ 'send_invite' => 'Envoyer l\'invitation',
+ 'sent_invite' => 'Invitation envoyés',
+ 'updated_user' => 'Utilisateur mis à jour',
+ 'invitation_message' => 'Vous avez été invité par :invitor. ',
+ 'register_to_add_user' => 'Veuillez vous enregistrer pour ajouter un utilisateur',
+ 'user_state' => 'État',
+ 'edit_user' => 'Éditer l\'utilisateur',
+ 'delete_user' => 'Supprimer l\'utilisateur',
+ 'active' => 'Actif',
+ 'pending' => 'En attente',
+ 'deleted_user' => 'Utilisateur 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' => 'Les factures récurrentes sont activées, voulez-vous vraiment envoyer cette facture par courriel ?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Voulez-vous vraiment démarrer cette récurrence ?',
+ 'cancel_account' => 'Supprimer le compte',
+ 'cancel_account_message' => 'Avertissement: Cette action est irréversible et va supprimer votre compte de façon définitive.',
+ 'go_back' => 'Retour',
+ 'data_visualizations' => 'Visualisation des données',
+ 'sample_data' => 'Données fictives présentées',
+ 'hide' => 'Cacher',
+ 'new_version_available' => 'Une nouvelle version de :releases_link est disponible. Vous utilisez v:user_version, la plus récente est v:latest_version',
+ 'invoice_settings' => 'Paramètres des factures',
+ 'invoice_number_prefix' => 'Préfixe du numéro de facture',
+ 'invoice_number_counter' => 'Compteur du numéro de facture',
+ 'quote_number_prefix' => 'Préfixe du numéro de soumission',
+ 'quote_number_counter' => 'Compteur du numéro de soumission',
+ 'share_invoice_counter' => 'Partager le compteur de facture',
+ 'invoice_issued_to' => 'Facture destinée à',
+ 'invalid_counter' => 'Pour éviter un éventuel conflit, merci de définir un préfixe pour le numéro de facture ou pour le numéro de soumission',
+ 'mark_sent' => 'Marquer comme envoyé',
+ 'gateway_help_1' => ':link pour vous inscrire à Authorize.net.',
+ 'gateway_help_2' => ':link pour vous inscrire à Authorize.net.',
+ 'gateway_help_17' => ':link pour obtenir votre signature API PayPal.',
+ 'gateway_help_27' => ':link pour vous inscrire à 2Checkout.com. Pour permettre le suivi des paiements, veuillez définir :complete_link comme URL de redirection dans Mon compte > Gestion de site dans le portail de 2Checkout.',
+ 'gateway_help_60' => ':link pour créer un compte WePay.',
+ 'more_designs' => 'Plus de modèles',
+ 'more_designs_title' => 'Modèles de factures additionnels',
+ 'more_designs_cloud_header' => 'Passez au Plan Pro pour obtenir plus de modèles',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Acheter',
+ 'bought_designs' => 'Les nouveaux modèles ont été ajoutés avec succè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_cvv' => '*Les 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' => 'Version sans pub',
+ 'white_label_header' => 'Entête de version sans pub',
+ 'bought_white_label' => 'Licence de version sans pub activée',
+ 'white_labeled' => 'Sans pub',
+ 'restore' => 'Restaurer',
+ 'restore_invoice' => 'Restaurer la facture',
+ 'restore_quote' => 'Restaurer la soumission',
+ 'restore_client' => 'Restaurer le client',
+ 'restore_credit' => 'Restaurer le crédit',
+ 'restore_payment' => 'Restaurer le paiement',
+ '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',
+ 'invoice_history' => 'Historique des factures',
+ 'quote_history' => 'Historique des soumissions',
+ 'current_version' => 'Version courante',
+ 'select_version' => 'Choix de la verison',
+ 'view_history' => 'Consulter l\'historique',
+ 'edit_payment' => 'Éditer le paiement',
+ 'updated_payment' => 'Le paiement a été mis à jour',
+ 'deleted' => 'Supprimé',
+ 'restore_user' => 'Restaurer un utilisateur',
+ 'restored_user' => 'Utilisateur restauré',
+ 'show_deleted_users' => 'Afficher les utilisateurs supprimés',
+ 'email_templates' => 'Modèles de courriel',
+ 'invoice_email' => 'Courriel de facturation',
+ 'payment_email' => 'Courriel de paiement',
+ 'quote_email' => 'Courriel de soumission',
+ 'reset_all' => 'Remise à zéro',
+ 'approve' => 'Approuver',
+ 'token_billing_type_id' => 'Jeton de facturation',
+ 'token_billing_help' => 'Stockez les informations de paiement avec WePay, Stripe, Braintree ou GoCardless.',
+ 'token_billing_1' => 'Désactivé',
+ 'token_billing_2' => 'Engagement - case à cocher affichée sans sélection',
+ 'token_billing_3' => 'Désengagement - case à cocher affichée avec sélection',
+ 'token_billing_4' => 'Toujours',
+ 'token_billing_checkbox' => 'Mémoriser les informations de carte de crédit',
+ 'view_in_gateway' => 'Visualiser dans :gateway',
+ 'use_card_on_file' => 'Utiliser la carte inscrite au dossier',
+ 'edit_payment_details' => 'Éditer les informations de paiement',
+ 'token_billing' => 'Sauvegarder les informations de carte de crédit',
+ 'token_billing_secure' => 'Les données sont mémorisées de façon sécuritaire avec :link',
+ 'support' => 'Support',
+ 'contact_information' => 'Contact',
+ '256_encryption' => 'Chiffrage 256-Bit',
+ 'amount_due' => 'Montant du',
+ 'billing_address' => 'Adresse de facturation',
+ 'billing_method' => 'Méthode de facturation',
+ 'order_overview' => 'Récapitualtion de commande',
+ 'match_address' => '*L\'adresse doit correspondre à l\'adresse associée à la carte de crédit.',
+ 'click_once' => '*Please click "PAY NOW" only once - transaction may take up to 1 minute to process.',
+ 'invoice_footer' => 'Pied de facture',
+ 'save_as_default_footer' => 'Sauvegarder comme pied de facture par défaut',
+ 'token_management' => 'Gestion des jeton',
+ 'tokens' => 'Jetons',
+ 'add_token' => 'Ajouter un jeton',
+ 'show_deleted_tokens' => 'Afficher les jetons supprimé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',
+ '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' => 'Changer le mot de passe',
+ 'current_password' => 'Mot de passe actuel',
+ 'new_password' => 'Nouveau mot de passe',
+ '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',
+ 'api_tokens' => 'Jetons API',
+ 'users_and_tokens' => 'Utilisateurs et jetons',
+ 'account_login' => 'Connexion',
+ 'recover_password' => 'Récupérez votre mot de passe',
+ 'forgot_password' => 'Mot de passe oublié?',
+ 'email_address' => 'Votre courriel',
+ 'lets_go' => 'Let’s go',
+ 'password_recovery' => 'Récupération de mot de passe',
+ 'send_email' => 'Envoyer un courriel',
+ 'set_password' => 'Nouveau mot de passe',
+ 'converted' => 'Convertie',
+ 'email_approved' => 'M\'envoyer un courriel lorsqu\'une soumission a été acceptée',
+ 'notification_quote_approved_subject' => 'La soumission :invoice a été acceptée par :client',
+ 'notification_quote_approved' => 'Le client :client a accepté la soumission :invoice pour :amount.',
+ 'resend_confirmation' => 'Renvoyer la confirmation par courriel',
+ 'confirmation_resent' => 'La confirmation a été renvoyée',
+ 'gateway_help_42' => ':link pour s\'inscrire à BitPay.
Note: utilisez une clé API ancienne et non un jeton API.',
+ 'payment_type_credit_card' => 'Carte de crédit',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Base de connaissance',
+ 'partial' => 'Partiel/dépôt',
+ 'partial_remaining' => ':partiel de :balance',
+ 'more_fields' => 'Plus de champs',
+ 'less_fields' => 'Moins de champs',
+ 'client_name' => 'Nom du client',
+ 'pdf_settings' => 'Paramètres PDF',
+ 'product_settings' => 'Paramètres des produits',
+ 'auto_wrap' => 'Retour à la ligne automatique',
+ 'duplicate_post' => 'Avertissement: la page précédente a été envoyée deux fois. Le deuxième envoi a été ignoré.',
+ 'view_documentation' => 'Voir la documentation',
+ 'app_title' => 'Gestionnaire de facturation en ligne, gratuit et open-source',
+ 'app_description' => 'Invoice Ninja est une solution de facturation et de paiement gratuite et open-source. Avec Invoice Ninja, vous pouvez facilement construire et envoyer des factures de n\'importe quel appareil ayant accès au web. Vos clients peuvent imprimer leurs factures, les télécharger au format PDF, et même les payer en ligne à partir du système.',
+ 'rows' => 'lignes',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'sous-domaine',
+ 'provide_name_or_email' => 'Veuillez entrer un nom ou un courriel',
+ 'charts_and_reports' => 'Rapports et graphiques',
+ 'chart' => 'Graphique',
+ 'report' => 'Rapport',
+ 'group_by' => 'Grouper par',
+ 'paid' => 'Payé',
+ 'enable_report' => 'Rapport',
+ 'enable_chart' => 'Graphique',
+ 'totals' => 'Totaux',
+ 'run' => 'Lancer',
+ 'export' => 'Exporter',
+ 'documentation' => 'Documentation',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Récurrente',
+ 'last_invoice_sent' => 'Dernière facture envoyée le :date',
+ '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',
+ 'updated_task' => 'La tâche a été modifiée',
+ 'edit_task' => 'Éditer la tâche',
+ 'archive_task' => 'Archiver la Tâche',
+ 'restore_task' => 'Restaurer la Tâche',
+ 'delete_task' => 'Supprimer la Tâche',
+ 'stop_task' => 'Arrêter la Tâche',
+ 'time' => 'Temps',
+ 'start' => 'Démarrer',
+ 'stop' => 'Arrêter',
+ 'now' => 'Maintenant',
+ 'timer' => 'Minuteur',
+ 'manual' => 'Manuel',
+ 'date_and_time' => 'Date et heure',
+ 'second' => 'Seconde',
+ 'seconds' => 'Secondes',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minutes',
+ 'hour' => 'Heure',
+ 'hours' => 'Heures',
+ 'task_details' => 'Détails de la tâche',
+ 'duration' => 'Durée',
+ 'end_time' => 'Arrêtée à',
+ 'end' => 'Fin',
+ 'invoiced' => 'Facturée',
+ 'logged' => 'Enregistrée',
+ 'running' => 'En cours',
+ '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',
+ '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',
+ 'invoice_task' => 'Facturer la tâche',
+ 'invoice_labels' => 'Champs des produits',
+ 'prefix' => 'Préfixe',
+ 'counter' => 'Compteur',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link pour s\'inscrire à Dwolla.',
+ 'partial_value' => 'Doit être plus grand que zéro et moins que le total',
+ 'more_actions' => 'Plus d\'actions',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Mettre à niveau!',
+ 'pro_plan_feature1' => 'Nombre illimité de client',
+ 'pro_plan_feature2' => '10 extraodinaires modèles de factures',
+ 'pro_plan_feature3' => 'URL personnalisées - "VotreNom.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Suppression de "Créer par Invoice Ninja"',
+ 'pro_plan_feature5' => 'Accès multi-utilisateurs & suivi d\'activité',
+ 'pro_plan_feature6' => 'Création de soumission et de factures Pro-forma',
+ 'pro_plan_feature7' => 'Personnalisation des champs de facture',
+ 'pro_plan_feature8' => 'Pièces jointes PDF pour les envois de courriel aux clients',
+ 'resume' => 'Continuer',
+ 'break_duration' => 'Pause',
+ 'edit_details' => 'Modifier',
+ 'work' => 'Travail',
+ 'timezone_unset' => 'Veuillez :link pour définir votre fuseau horaire',
+ 'click_here' => 'cliquer içi',
+ 'email_receipt' => 'Envoyer le reçu de paiement au client par courriel',
+ 'created_payment_emailed_client' => 'Le paiement a été créé et envoyé au client',
+ 'add_company' => 'Ajouter une entreprise',
+ 'untitled' => 'Sans nom',
+ 'new_company' => 'Nouvelle entreprise',
+ 'associated_accounts' => 'Les comptes ont été liés',
+ 'unlinked_account' => 'Les comptes ont été déliés',
+ 'login' => 'Connexion',
+ 'or' => 'ou',
+ 'email_error' => 'Il y a eu un problème avec l\'envoi du courriel',
+ 'confirm_recurring_timing' => 'Note: Les courriels sont envoyés au début de chaque heure.',
+ 'confirm_recurring_timing_not_sent' => 'Note : Les factures sont créées au début de chaque heure.',
+ 'payment_terms_help' => 'Définit la date d\'échéance de la facture par défaut',
+ 'unlink_account' => 'Délié le compte',
+ 'unlink' => 'Délié',
+ 'show_address' => 'Afficher l\'adresse',
+ 'show_address_help' => 'Le client doit fournir son adresse de facturation',
+ 'update_address' => 'Mise à jour de l\adresse',
+ 'update_address_help' => 'Met à jour l\'adresse du client avec les informations fournies',
+ 'times' => 'Times',
+ 'set_now' => 'Définir',
+ 'dark_mode' => 'Mode foncé',
+ 'dark_mode_help' => 'Utiliser un fond sombre pour les barres latérales',
+ 'add_to_invoice' => 'Ajouter à la facture :invoice',
+ 'create_new_invoice' => 'Créer une facture',
+ 'task_errors' => 'Veuillez corriger les plages de temps qui se chevauchent',
+ 'from' => 'De',
+ 'to' => 'à',
+ 'font_size' => 'Taille de police',
+ 'primary_color' => 'Couleur principale',
+ 'secondary_color' => 'Couleur secondaire',
+ 'customize_design' => 'Personnalisation',
+ 'content' => 'Contenu',
+ 'styles' => 'Styles',
+ 'defaults' => 'Pré-définis',
+ 'margins' => 'Marges',
+ 'header' => 'Entête',
+ 'footer' => 'Pied de page',
+ 'custom' => 'Personnalisé',
+ 'invoice_to' => 'Facture à',
+ 'invoice_no' => 'Facture #',
+ 'quote_no' => 'N° de soumission',
+ 'recent_payments' => 'Paiements reçus',
+ 'outstanding' => 'Impayés',
+ 'manage_companies' => 'Gérer les entreprises',
+ 'total_revenue' => 'Revenus',
+ 'current_user' => 'Utilisateur en cours',
+ 'new_recurring_invoice' => 'Nouvelle facture récurrente',
+ 'recurring_invoice' => 'Facture récurrente',
+ 'new_recurring_quote' => 'Nouvelle soumission récurrente',
+ 'recurring_quote' => 'Soumission récurrente',
+ 'recurring_too_soon' => 'il est trop tôt pour la création d\'une autre facture récurrente, elle est planifiée pour le :date',
+ 'created_by_invoice' => 'Créée par :invoice',
+ 'primary_user' => 'Utilisateur principal',
+ 'help' => 'Aide',
+ 'customize_help' => 'Nous utilisons :pdfmake_link pour définir la présentation graphique des factures de manière déclarative. Pdfmake playground_link fournit une excellente façon de voir la librairie en action.
+ Si vous avez besoin d\'aide à ce sujet, vous pouvez publier une question sur notre :forum_link avec la présentation graphique que vous utilisez.
',
+ 'playground' => 'environnement',
+ 'support_forum' => 'Forum de support',
+ 'invoice_due_date' => 'Échéance',
+ 'quote_due_date' => 'Échéance',
+ 'valid_until' => 'Échéance',
+ 'reset_terms' => 'Remise à zéro des termes',
+ 'reset_footer' => 'Remise à zéro du pied de page',
+ 'invoice_sent' => ':count facture envoyée',
+ 'invoices_sent' => ':count factures envoyées',
+ 'status_draft' => 'Brouillon',
+ 'status_sent' => 'Envoyée',
+ 'status_viewed' => 'Vue',
+ 'status_partial' => 'Partiel',
+ 'status_paid' => 'Payée',
+ 'status_unpaid' => 'Impayé',
+ 'status_all' => 'Tous',
+ 'show_line_item_tax' => 'Afficher la taxe sur la même ligne',
+ 'iframe_url' => 'Site web',
+ 'iframe_url_help1' => 'Copier ce code sur une page de votre site.',
+ 'iframe_url_help2' => 'Vous pouvez tester cette fonctionnalité en cliquant \'Visualiser en tant que destinataire\' pour uen facture.',
+ 'auto_bill' => 'Facturation automatique',
+ 'military_time' => 'Format d\'heure 24 h',
+ 'last_sent' => 'Dernier envoi',
+ 'reminder_emails' => 'Courriels de rappel',
+ 'templates_and_reminders' => 'Modèles et rappels',
+ 'subject' => 'Sujet',
+ 'body' => 'Message',
+ 'first_reminder' => '1er rappel',
+ 'second_reminder' => '2e rappel',
+ 'third_reminder' => '3e rappel',
+ 'num_days_reminder' => 'Jours après la date d\'échéance',
+ 'reminder_subject' => 'Rappel: facture :invoice de :account',
+ 'reset' => 'Remise à zéro',
+ 'invoice_not_found' => 'La facture demandée n\'est pas disponible',
+ 'referral_program' => 'Programme de référencement',
+ 'referral_code' => 'Code de référencement',
+ 'last_sent_on' => 'Dernier envoi le :date',
+ 'page_expire' => 'Cette page va expirer bientôt, :click_here popur continuer',
+ 'upcoming_quotes' => 'Soumissions à venir',
+ 'expired_quotes' => 'Soumissions expirées',
+ 'sign_up_using' => 'Connectez-vous avec',
+ 'invalid_credentials' => 'Ces informations ne correspondent pas',
+ 'show_all_options' => 'Afficher toutes les options',
+ 'user_details' => 'Profil utilisateur',
+ 'oneclick_login' => 'Compte connecté',
+ 'disable' => 'Desactiver',
+ 'invoice_quote_number' => 'Numéros de factures et de soumissions',
+ 'invoice_charges' => 'Surcharges de facture',
+ 'notification_invoice_bounced' => 'Impossible d\'envoyer la facture :invoice à :contact.',
+ 'notification_invoice_bounced_subject' => 'Impossible d\'envoyer la facture :invoice',
+ 'notification_quote_bounced' => 'Impossible d\'envoyer la soumission :invoice à :contact.',
+ 'notification_quote_bounced_subject' => 'Impossible d\'envoyer la soumission :invoice',
+ 'custom_invoice_link' => 'Lien de facture personnalisé',
+ 'total_invoiced' => 'Total facturé',
+ 'open_balance' => 'Solde',
+ 'verify_email' => 'Veuillez confirmer votre courriel en suivant le lien.',
+ 'basic_settings' => 'Paramètres généraux',
+ 'pro' => 'Pro',
+ 'gateways' => 'Passerelles de paiements',
+ 'next_send_on' => 'Prochain envoi: :date',
+ 'no_longer_running' => 'Cette facture n\'est pas planifié pour un envoi',
+ 'general_settings' => 'Paramètres généraux',
+ 'customize' => 'Personnalisation',
+ 'oneclick_login_help' => 'Connectez-vous à un compte pour une connexion sans mot de passe',
+ 'referral_code_help' => 'Gagnes de l\'argent en faisnat connaître notre application',
+ 'enable_with_stripe' => 'Activer | Requiert Stripe',
+ 'tax_settings' => 'Paramètres de taxe',
+ 'create_tax_rate' => 'Ajouter un taux de taxe',
+ '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é',
+ 'default_tax_rate_id' => 'Taux de taxe par défaut',
+ 'tax_rate' => 'Taux de taxe',
+ 'recurring_hour' => 'Heure récurrente',
+ 'pattern' => 'Modèle',
+ 'pattern_help_title' => 'Aide pour les modèles',
+ 'pattern_help_1' => 'Crée une numérotation personnalisée à partir d\'un gabarit',
+ 'pattern_help_2' => 'Variables disponibles:',
+ 'pattern_help_3' => 'Par exemple, :example produira :value',
+ 'see_options' => 'Voir les options',
+ 'invoice_counter' => 'Numéros de factures',
+ 'quote_counter' => 'Numéros de soumissions',
+ 'type' => 'Type',
+ 'activity_1' => ':user a créé le client :client',
+ 'activity_2' => ':user a archivé le client :client',
+ 'activity_3' => ':user a supprimé le client :client',
+ 'activity_4' => ':user a créé la facture :invoice',
+ 'activity_5' => ':user a mis à jour la facture :invoice',
+ 'activity_6' => ':user a envoyé la facture :invoice à :contact',
+ 'activity_7' => ':contact a visualisé la facture :invoice',
+ 'activity_8' => ':user a archivé la facture :invoice',
+ 'activity_9' => ':user a supprimé la facture :invoice',
+ 'activity_10' => ':contact a saisi le paiement :payment pour :invoice',
+ 'activity_11' => ':user a mis à jour le paiement :payment',
+ 'activity_12' => ':user a archivé le paiement :payment',
+ 'activity_13' => ':user a supprimé le paiement :payment',
+ 'activity_14' => ':user a saisi le crédit :credit',
+ 'activity_15' => ':user a mis à jour le crédit :credit',
+ 'activity_16' => ':user a archivé le crédit :credit',
+ 'activity_17' => ':user a supprimé le crédit :credit',
+ 'activity_18' => ':user a créé la soumission :quote',
+ 'activity_19' => ':user a mis à jour la soumission :quote',
+ 'activity_20' => ':user a envoyé la soumission :quote à :contact',
+ 'activity_21' => ':contact a visualisé la soumission :quote',
+ 'activity_22' => ':user a archivé la soumission :quote',
+ 'activity_23' => ':user a supprimé la soumission :quote',
+ 'activity_24' => ':user a restauré la soumission :quote',
+ 'activity_25' => ':user a restauré la facture :invoice',
+ 'activity_26' => ':user a restauré le client :client',
+ 'activity_27' => ':user a restauré le paiement :payment',
+ 'activity_28' => ':user a restauré le crédit :credit',
+ 'activity_29' => ':contact accepté la soumission :quote',
+ 'activity_30' => ':user a créé le fournisseur :vendor',
+ 'activity_31' => ':user a archivé le fournisseur :vendor',
+ 'activity_32' => ':user a supprimé le fournisseur :vendor',
+ 'activity_33' => ':user a restauré le fournisseur :vendor',
+ 'activity_34' => ':user a créé la dépense :expense',
+ 'activity_35' => ':user a archivé la dépense :expense',
+ 'activity_36' => ':user a supprimé la dépense :expense',
+ 'activity_37' => ':user a restauré la dépense :expense',
+ 'activity_42' => ':user a créé la tâche :task',
+ 'activity_43' => ':user a mis à jour la tâche :task',
+ 'activity_44' => ':user a archivé la tâche :task',
+ 'activity_45' => ':user a supprimé la tâche :task',
+ 'activity_46' => ':user a restauré la tâche :task',
+ 'activity_47' => ':user a mis à jour la dépense :expense',
+ 'payment' => 'Paiement',
+ 'system' => 'Système',
+ 'signature' => 'Signature de courriel',
+ 'default_messages' => 'Message par défaut',
+ 'quote_terms' => 'Conditions de soumission',
+ 'default_quote_terms' => 'Conditions par défaut pour les soumissions',
+ 'default_invoice_terms' => 'Définir comme les conditions par défaut',
+ '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é',
+ 'apply_credit' => 'Appliquer le crédit',
+ 'system_settings' => 'Paramètres système',
+ 'archive_token' => 'Archiver le jeton',
+ 'archived_token' => 'Le jeton a été archivé',
+ 'archive_user' => 'Archiver l\'utilisateur',
+ 'archived_user' => 'L\'utilisateur a été archivé',
+ 'archive_account_gateway' => 'Archiver la passerelle',
+ 'archived_account_gateway' => 'La passerelle a été archivé',
+ 'archive_recurring_invoice' => 'Archiver la facture récurrente',
+ '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',
+ 'restore_recurring_invoice' => 'Restaurer la facture récurrente',
+ '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',
+ 'delete_recurring_quote' => 'Supprimer la soumission récurrente',
+ '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',
+ 'archived' => 'Archivée',
+ 'untitled_account' => 'Entreprise sans nom',
+ 'before' => 'Avant',
+ 'after' => 'Après',
+ 'reset_terms_help' => 'Remise à zéro',
+ 'reset_footer_help' => 'Remise à zéro',
+ 'export_data' => 'Exporter les données',
+ 'user' => 'Utilisateur',
+ 'country' => 'Pays',
+ 'include' => 'Inclus',
+ 'logo_too_large' => 'Votre logo est :size, pour de meilleures performances PDF, veuillez charger une image de moins de 200KB',
+ 'import_freshbooks' => 'Importer de FreshBooks',
+ 'import_data' => 'Importer les données',
+ 'source' => 'Source',
+ 'csv' => 'CSV',
+ 'client_file' => 'Fichier des clients',
+ 'invoice_file' => 'Fichier des factures',
+ 'task_file' => 'Fichier des tâches',
+ 'no_mapper' => 'Aucun liens de champs valides pour ce fichier',
+ 'invalid_csv_header' => 'Entête CSV invalide',
+ 'client_portal' => 'Portail client',
+ 'admin' => 'Admin',
+ 'disabled' => 'Désactivé',
+ 'show_archived_users' => 'Afficher les utilisateurs archivés',
+ 'notes' => 'Notes',
+ 'invoice_will_create' => 'La facture sera créée',
+ 'invoices_will_create' => 'Les factures seront créées',
+ 'failed_to_import' => 'Cet enregistrement n\'a pu être importé',
+ 'publishable_key' => 'Clé publique',
+ 'secret_key' => 'Clé secrète',
+ 'missing_publishable_key' => 'Entrez votre lcé publique de Stripe pour une meilleur expérience de paiement',
+ 'email_design' => 'Modèle de courriel',
+ 'due_by' => 'Due pour :date',
+ 'enable_email_markup' => 'Autoriser le marquage',
+ 'enable_email_markup_help' => 'rendez le paiement plus facile à vos client en ajoutant à vos courriel, le marquage de schema.org.',
+ 'template_help_title' => 'Aide pour les modèles',
+ 'template_help_1' => 'Variables disponibles:',
+ 'email_design_id' => 'Style de courriel',
+ 'email_design_help' => 'Rendez vos courriels plus professionnels avec les mises en page HTML',
+ 'plain' => 'Ordinaire',
+ 'light' => 'Clair',
+ 'dark' => 'Foncé',
+ 'industry_help' => 'Pour des fins de comparaison entre des entreprises de même taille et du même secteur d\'activité.',
+ 'subdomain_help' => 'Définissez le sous-domaine ou affichez la facture sur votre site web.',
+ 'website_help' => 'Affiche la facture dans un iFrame sur votre site web',
+ 'invoice_number_help' => 'Spécifiez un préfixe ou utilisez un modèle personnalisé pour la création du numéro de facture.',
+ 'quote_number_help' => 'Spécifiez un préfixe ou utilisez un modèle personnalisé pour la création du numéro de soumission.',
+ 'custom_client_fields_helps' => 'Ajoute un champ lors de la création d\'un client et affiche, de façon optionnelle, le libellé et la valeur dans le PDF.',
+ 'custom_account_fields_helps' => 'Ajoutez un titre et une valeur à la section des informations de l\'entreprise dans le fichier PDF.',
+ 'custom_invoice_fields_helps' => 'Ajoute un champ lors de la création d\'une facture et affiche, de façon optionnelle, le libellé et la valeur dans le PDF.',
+ 'custom_invoice_charges_helps' => 'Ajoutez un champ personnalisé à la page de création/édition de facture pour inclure les frais au sous-totaux de la facture.',
+ 'token_expired' => 'Le jeton de validation a expiré. Veuillez réessayer.',
+ 'invoice_link' => 'Lien de facture',
+ 'button_confirmation_message' => 'Veuillez confirmer votre courriel.',
+ 'confirm' => 'Confirmer',
+ 'email_preferences' => 'Préférences courriel',
+ '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',
+ 'days_after' => 'jours après le',
+ 'field_due_date' => 'Échéance',
+ 'field_invoice_date' => 'date de la facture',
+ 'schedule' => 'Calendrier',
+ 'email_designs' => 'Modèles de courriel',
+ 'assigned_when_sent' => 'Assignée lors de l\'envoi',
+ 'white_label_purchase_link' => 'Achetez une licence sans pub',
+ 'expense' => 'Dépense',
+ 'expenses' => 'Dépenses',
+ 'new_expense' => 'Entrer une dépense',
+ 'enter_expense' => 'Nouvelle dépense',
+ 'vendors' => 'Fournisseurs',
+ 'new_vendor' => 'Nouveau fournisseur',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Fournisseur',
+ 'edit_vendor' => 'Éditer le fournisseur',
+ 'archive_vendor' => 'Archiver le fournisseur',
+ 'delete_vendor' => 'Supprimer le fournisseur',
+ 'view_vendor' => 'Voir le fournisseur',
+ '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',
+ 'expense_should_be_invoiced' => 'Dépense facturée?',
+ 'public_notes' => 'Notes publiques',
+ 'invoice_amount' => 'Montant de la facture',
+ 'exchange_rate' => 'Taux de change',
+ 'yes' => 'Oui',
+ 'no' => 'Non',
+ 'should_be_invoiced' => 'Devrait être facturée',
+ 'view_expense' => 'Voir la dépense # :expense',
+ 'edit_expense' => 'Éditer la dépense',
+ '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',
+ 'created_expense' => 'La dépense a été créée',
+ 'enter_expense' => 'Nouvelle dépense',
+ 'view' => 'Visualiser',
+ 'restore_expense' => 'Restaurer la dépense',
+ 'invoice_expense' => 'Facture de dépense',
+ 'expense_error_multiple_clients' => 'Les dépenses ne peuvent pas appartenir à plusieus clients',
+ 'expense_error_invoiced' => 'Ces dépenses ont déjà été facturées',
+ 'convert_currency' => 'Conversion de devise',
+ 'num_days' => 'Nombre de jours',
+ 'create_payment_term' => 'Nouveau terme de paiement',
+ 'edit_payment_terms' => 'Editer les termes de paiement',
+ 'edit_payment_term' => 'Editer le terme de paiement',
+ 'archive_payment_term' => 'Archiver le terme de paiement',
+ 'recurring_due_dates' => 'Dates d\'échéances des factures récurrentes',
+ 'recurring_due_date_help' => 'Définissez automatiquement une date d\'échéance pour la facture.
+ Les factures de type mensuel ou annuel dont la date d\'échéance est définie le jour même ou le jour précédent de leur création seront dues pour le prochain mois. Les factures dont la date d\'échéance est définie le 29 ou le 30 des mois qui n\'ont pas ces jours seront dues le dernier jour de ce mois.
+ Les factures de type hebdomadaire dont la date d\'échéance est définie le jour de la semaine de leur création seront dues pour la semaine suivante.
+ par exemple:
+
+ - Aujourd\'hui, le 15 du mois, la date d\'échéance est le 1er du mois. La date d\'échéance devrait être définie le 1er du prochain mois.
+ - Aujourd\'hui, le 15 du mois, la date d\'échéance est le dernier jour du mois. La date d\'échéance sera le dernier de ce mois.
+ - Aujourd\'hui, le 15 du mois, la date d\'échéance est le 15 de ce mois. La date d\'échéance sera le 15 du prochain mois.
+ - Aujoud\'hui, vendredi, la date d\'échéance est le 1er vendredi suivant. La date d\'échéance sera le prochain vendredi et non aujourd\'hui.
+
',
+ 'due' => 'Du',
+ 'next_due_on' => 'Du le: :date',
+ 'use_client_terms' => 'Termes du client',
+ 'day_of_month' => ':ordinal jour du mois',
+ 'last_day_of_month' => 'Dernier jour du mois',
+ 'day_of_week_after' => ':ordinal :day après',
+ 'sunday' => 'Dimanche',
+ 'monday' => 'Lundi',
+ 'tuesday' => 'Mardi',
+ 'wednesday' => 'Mercredi',
+ 'thursday' => 'Jeudi',
+ 'friday' => 'Vendredi',
+ 'saturday' => 'Samedi',
+ 'header_font_id' => 'Police de l\'entête',
+ 'body_font_id' => 'Police du message',
+ 'color_font_help' => 'Note: la couleur principale et les polices sont aussi utilisées dans le portail client et dans les modèles de courriels personnalisés.',
+ 'live_preview' => 'PRÉVISUALISATION',
+ 'invalid_mail_config' => 'impossible d\'envoyer le courriel, veuillez vérifier vos paramètres courriel.',
+ 'invoice_message_button' => 'Pour voir la facture de :amount, cliquez sur le bouton ci-dessous.',
+ 'quote_message_button' => 'Pour voir la soumission de :amount, cliquez sur le bouton ci-dessous.',
+ 'payment_message_button' => 'Merci pour votre paiement de :amount.',
+ 'payment_type_direct_debit' => 'Prélèvement automatique',
+ 'bank_accounts' => 'Comptes bancaires',
+ 'add_bank_account' => 'Ajouter un compte bancaire',
+ 'setup_account' => 'Configurer le compte',
+ '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',
+ 'edit_bank_account' => 'éditer le compte bancaire',
+ 'archive_bank_account' => 'Archiver le compte bancaire',
+ '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.',
+ 'username' => 'Nom d\'utilisateur',
+ 'account_number' => 'Numéro du compte',
+ 'account_name' => 'Nom du compte',
+ 'bank_account_error' => 'Impossible de récupérer les informations de compte, veuillez vérifier les informations entrées.',
+ 'status_approved' => 'Acceptée',
+ 'quote_settings' => 'Paramètres des soumissions',
+ 'auto_convert_quote' => 'Autoconversion',
+ 'auto_convert_quote_help' => 'Convertir automatiquement une soumission en facture lorsque le client l\'accepte.',
+ 'validate' => 'Valider',
+ 'info' => 'Info',
+ '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.',
+ 'trello_roadmap' => 'Feuille de route Trello',
+ 'header_footer' => 'Entête/Pied de page',
+ 'first_page' => 'première page',
+ 'all_pages' => 'toutes les pages',
+ 'last_page' => 'dernière page',
+ 'all_pages_header' => 'Afficher l\'entête sur',
+ 'all_pages_footer' => 'Afficher le pied de page sur',
+ 'invoice_currency' => 'Devise de la facture',
+ 'enable_https' => 'Nous vous recommandons fortement d\'activer le HTTPS pour la réception de paiement par carte de crédit en ligne.',
+ 'quote_issued_to' => 'La soumission a été émise pour',
+ 'show_currency_code' => 'Code de devise',
+ 'free_year_message' => 'Votre compte a été mis à niveau gratuitement vers le Plan Pro pour une année.',
+ 'trial_message' => 'Vous allez bénéficier d\'un essai gratuit de 2 semaines au Plan Pro.',
+ '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é',
+ 'overdue' => 'En souffrance',
+
+
+ 'white_label_text' => 'Achetez une licence sans pub d\'UN AN au coût de $:price pour retirer la marque de Invoice Ninja des factures et du portail client.',
+ 'user_email_footer' => 'Pour modifier vos paramètres de notification par courriel, veuillez visiter :link',
+ 'reset_password_footer' => 'Si vous n\'avez pas effectué de demande de réinitalisation de mot de passe veuillez contacter notre support : :email',
+ 'limit_users' => 'Désolé, ceci excédera la limite de :limit utilisateurs',
+ 'more_designs_self_host_header' => 'Obtenez 6 modèles de factures additionnels pour seulement $:price',
+ 'old_browser' => 'Veuillez utiliser un :link',
+ 'newer_browser' => 'navigateur plus récent',
+ 'white_label_custom_css' => ':link à $:price pour activer les styles personnalisés et supporter notre projet.',
+ 'bank_accounts_help' => 'Veuillez vous connecter à un compte bancaire pour importer automatiquement les dépenses et créer les fournisseurs. Supporte American Express et :link.',
+ 'us_banks' => '400+ banques US',
+
+ 'pro_plan_remove_logo' => ':link pour supprimer le logo Invoice Ninja en souscrivant au plan pro',
+ 'pro_plan_remove_logo_link' => 'Cliquez ici',
+ 'invitation_status_sent' => 'Envoyé',
+ 'invitation_status_opened' => 'Ouvert',
+ 'invitation_status_viewed' => 'Consulté',
+ 'email_error_inactive_client' => 'Aucun courriel ne peut être envoyé à un client inactif',
+ 'email_error_inactive_contact' => 'Aucun courriel ne peut être envoyé à un contact inactif',
+ 'email_error_inactive_invoice' => 'Aucun courriel ne peut être envoyé à une facture inactive',
+ 'email_error_inactive_proposal' => 'Les courriels ne peuvent être envoyés à des propositions inactives',
+ 'email_error_user_unregistered' => 'Veuillez vous créer un compte pour envoyer des courriels',
+ 'email_error_user_unconfirmed' => 'Veuillez confirmer votre compte pour pouvoir envoyer des courriels',
+ 'email_error_invalid_contact_email' => 'Ce courriel est invalide',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'Liste des factures',
+ 'list_clients' => 'Liste des clients',
+ 'list_quotes' => 'Liste des soumissions',
+ 'list_tasks' => 'Liste des tâches',
+ 'list_expenses' => 'Liste des factures récurrentes',
+ 'list_recurring_invoices' => 'Liste des factures récurrentes',
+ 'list_payments' => 'Liste des paiements',
+ 'list_credits' => 'Liste des crédits',
+ 'tax_name' => 'Nom de la taxe',
+ 'report_settings' => 'Paramètres des rapports',
+ 'search_hotkey' => 'raccourci /',
+
+ 'new_user' => 'Nouvel utilisateur',
+ '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.',
+ 'recurring_invoice_number' => 'Numéro récurrent',
+ 'recurring_invoice_number_prefix_help' => 'Spécifier un préfixe à ajouter aux numéros de factures récurrentes',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Protéger les factures avec un mot de passe',
+ 'enable_portal_password_help' => 'Permet de spécifier un mot de passe pour chaque contact. Si un mot de passe est spécifié, le contact devra saisir ce mot de passe pour visualiser ses factures.',
+ 'send_portal_password' => 'Générer automatiquement',
+ 'send_portal_password_help' => 'Si aucun mot de passe n\'est spécifié, le client recevra un mot de passe autogénéré lors de l\'envoi de la première facture.',
+
+ 'expired' => 'Expiré',
+ 'invalid_card_number' => 'Le numéro de carte de crédit n\'est pas valide.',
+ 'invalid_expiry' => 'La date d\'expiration n\'est pas valide.',
+ 'invalid_cvv' => 'Le CVV n\'est pas valide.',
+ 'cost' => 'Coût',
+ 'create_invoice_for_sample' => 'Note: créez votre première facture pour la visualiser ici.',
+
+ // User Permissions
+ 'owner' => 'Propriétaire',
+ 'administrator' => 'Administrateur',
+ 'administrator_help' => 'Permet à un utilisateur de gérer d\'autres utilisateurs, modifier les paramètres et tous les enregistrements.',
+ 'user_create_all' => 'Créer des clients, factures, etc.',
+ 'user_view_all' => 'Visualiser tous les clients, factures, etc.',
+ 'user_edit_all' => 'Éditer tous les clients, factures, etc.',
+ 'gateway_help_20' => ':link pour s\'inscrire à Sage Pay.',
+ 'gateway_help_21' => ':link pour s\'inscrire à Sage Pay.',
+ 'partial_due' => 'Montant partiel du',
+ 'restore_vendor' => 'Restaurer un fournisseur ',
+ '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',
+ 'edit_all_help' => 'Autoriser un utilisateur à modifier des enregistrements d\'autres utilisateurs',
+ 'view_payment' => 'Visualiser un paiement',
+
+ 'january' => 'Janvier',
+ 'february' => 'Février',
+ 'march' => 'Mars',
+ 'april' => 'Avril',
+ 'may' => 'Mai',
+ 'june' => 'Juin',
+ 'july' => 'Juillet',
+ 'august' => 'Août',
+ 'september' => 'Septembre',
+ 'october' => 'Octobre',
+ 'november' => 'Novembre',
+ 'december' => 'Décembre',
+
+ // Documents
+ 'documents_header' => 'Documents:',
+ 'email_documents_header' => 'Documents:',
+ 'email_documents_example_1' => 'Recu du widget.pdf',
+ 'email_documents_example_2' => 'Livraison finale.zip',
+ 'quote_documents' => 'Justificatifs de soumission',
+ 'invoice_documents' => 'Justificatifs de facturation',
+ 'expense_documents' => 'Justificatifs de dépense',
+ 'invoice_embed_documents' => 'Documents intégrés',
+ 'invoice_embed_documents_help' => 'Inclure les images jointes dans la facture.',
+ 'document_email_attachment' => 'Documents joints',
+ 'ubl_email_attachment' => 'Joindre un UBL',
+ 'download_documents' => 'Télécharger les documents (:size)',
+ 'documents_from_expenses' => 'Des dépenses:',
+ 'dropzone_default_message' => 'Glissez-déposez des fichiers ou parcourez pour charger des fichiers',
+ 'dropzone_fallback_message' => 'Votre navigateur ne supporte pas le glisser-déposer de documents pour le chargement.',
+ 'dropzone_fallback_text' => 'Veuillez utiliser le formulaire ci-dessous pour charger vos fichiers à la veille façon.',
+ 'dropzone_file_too_big' => 'Le fichier est tros lourd ({{filesize}}MiB). Taille maximale: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'Vous ne pouvez pas charger des fichiers de ce type.',
+ 'dropzone_response_error' => 'Le serveur a répondu avec le code {{statusCode}}.',
+ 'dropzone_cancel_upload' => 'Chargement annulé',
+ 'dropzone_cancel_upload_confirmation' => 'Souhaitez-vous vraiment annuler ce chargement ?',
+ 'dropzone_remove_file' => 'Retirer le fichier',
+ 'documents' => 'Documents',
+ 'document_date' => 'Date du document',
+ 'document_size' => 'Taille',
+
+ 'enable_client_portal' => 'Portail client',
+ 'enable_client_portal_help' => 'Afficher/masquer le portail client.',
+ 'enable_client_portal_dashboard' => 'Tableau de bord',
+ 'enable_client_portal_dashboard_help' => 'Afficher/masquer la page du tableau de bord dans le portail client.',
+
+ // Plans
+ 'account_management' => 'Gestion du compte',
+ 'plan_status' => 'État du plan',
+
+ 'plan_upgrade' => 'Mise à jour',
+ 'plan_change' => 'Changer de plan',
+ 'pending_change_to' => 'Changer pour',
+ 'plan_changes_to' => ':plan le :date',
+ 'plan_term_changes_to' => ':plan (:term) le :date',
+ 'cancel_plan_change' => 'Annuler',
+ 'plan' => 'Plan',
+ 'expires' => 'Expiration',
+ 'renews' => 'Renouvellement',
+ 'plan_expired' => 'Le plan :plan est expiré',
+ 'trial_expired' => 'L\'essai du plan :plan est terminé',
+ 'never' => 'Jamais',
+ 'plan_free' => 'Gratuit',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Autohébergé (sans pub)',
+ 'plan_free_self_hosted' => 'Autohébergé (gratuit)',
+ 'plan_trial' => 'Essai',
+ 'plan_term' => 'Terme',
+ 'plan_term_monthly' => 'Mensuel',
+ 'plan_term_yearly' => 'Annuel',
+ 'plan_term_month' => 'Mois',
+ 'plan_term_year' => 'Année',
+ 'plan_price_monthly' => '$:price/mois',
+ 'plan_price_yearly' => '$:price/année',
+ 'updated_plan' => 'Paramètres de mise à jour du plan',
+ 'plan_paid' => 'Terme depuis le',
+ 'plan_started' => 'Plan depuis le',
+ 'plan_expires' => 'Plan expire le',
+
+ 'white_label_button' => 'Sans pub',
+
+ 'pro_plan_year_description' => 'Abonnement à une année du plan Invoice Ninja Pro.',
+ 'pro_plan_month_description' => 'Abonnement à un mois du plan Invoice Ninja Pro.',
+ 'enterprise_plan_product' => 'Plan Enterprise',
+ 'enterprise_plan_year_description' => 'Abonnement à une année du plan Invoice Ninja Enterprise.',
+ '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_refunded' => 'Un remboursement vous a été émis.',
+
+ 'live_preview' => 'PRÉVISUALISATION',
+ 'page_size' => 'Taille de page',
+ 'live_preview_disabled' => 'La prévisualisation en direct a été désactivée pour cette police',
+ 'invoice_number_padding' => 'Remplissage (padding)',
+ 'preview' => 'PRÉVISUALISATION',
+ 'list_vendors' => 'Liste des fournisseurs',
+ 'add_users_not_supported' => 'Mettre à jour vers le plan Enterprise plan pour ajouter des utilisateurs à votre compte.',
+ 'enterprise_plan_features' => 'Le Plan entreprise offre le support pour de multiple utilisateurs ainsi que l\'ajout de pièces jointes, :link pour voir la liste complète des fonctionnalités.',
+ 'return_to_app' => 'Retour à l\'app',
+
+
+ // Payment updates
+ 'refund_payment' => 'Remboursement',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Rembousement',
+ 'are_you_sure_refund' => 'Rembourser les paiements sélectionnés?',
+ 'status_pending' => 'En attente',
+ 'status_completed' => 'Terminée',
+ 'status_failed' => 'Échouée',
+ 'status_partially_refunded' => 'Remboursement partiel',
+ 'status_partially_refunded_amount' => ':amount remboursé',
+ 'status_refunded' => 'Remboursé',
+ 'status_voided' => 'Annulé',
+ 'refunded_payment' => 'Paiement remboursé',
+ 'activity_39' => ':user a annulé un paiement :payment de :payment_amount',
+ 'activity_40' => ':user a remboursé :adjustment d\'un paiement :payment de :payment_amount ',
+ 'card_expiration' => 'Exp: :expire',
+
+ 'card_creditcardother' => 'Inconnu',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accepter les transferts de banques US',
+ 'stripe_ach_help' => 'Le support ACH doit aussi être activé dans :link.',
+ 'ach_disabled' => 'Une autre passerelle est déjà configurée pour le prélèvement automatique.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'ID du client',
+ 'secret' => 'Secret',
+ 'public_key' => 'Clé publique',
+ 'plaid_optional' => '(optionel)',
+ 'plaid_environment_help' => 'Lorsqu\'une clé d\'essai Stripe est émise, l\'environnement (tartan) de développement Plaid est utilisé.',
+ 'other_providers' => 'Autres fournisseurs',
+ 'country_not_supported' => 'Ce pays n\'est pas supporté',
+ 'invalid_routing_number' => 'Le numéro de routage n\'est pas valide',
+ 'invalid_account_number' => 'Le numéro de compte n\'est pas valide',
+ 'account_number_mismatch' => 'Les numéros de compte ne correspondent pas',
+ 'missing_account_holder_type' => 'Veuillez sélectionner le type de compte (personnel / entreprise)',
+ 'missing_account_holder_name' => 'Veuillez entrer le nom du détenteur du compte',
+ 'routing_number' => 'Numéro de routage',
+ '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',
+ 'add_account' => 'Ajouter un compte',
+ 'payment_methods' => 'Méthodes 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',
+ 'verification_failed' => 'La vérification a échoué',
+ 'remove_payment_method' => 'Retirer la méthode de paiement',
+ 'confirm_remove_payment_method' => 'Souhaitez-vous vraiment retirer cette méthode de paiement?',
+ 'remove' => 'Retirer',
+ 'payment_method_removed' => 'Méthode de paiement retirée',
+ 'bank_account_verification_help' => 'Nous avons fait deux dépôts dans votre compte avec la description "VERIFICATION". Ces dépôts prendront 1-2 jours ouvrables pour apparaître sur le relevé. Veuillez entrer les montants ci-dessous.',
+ 'bank_account_verification_next_steps' => 'Nous avons fait deux dépôts dans votre compte avec la description "VERIFICATION". Ces dépôts prendront 1-2 jours ouvrables pour apparaître sur votre relevé.
+Lorsque les montant apparaîtront sur votre relevé, veuillez revenir sur cette page et cliquez sur "Compléter la vérification" à côté du compte.',
+ 'unknown_bank' => 'Banque inconnue',
+ 'ach_verification_delay_help' => 'Vous serez en mesure d\'utiliser le compte après avoir terminé la vérification. La vérification prend habituellement 1-2 jours ouvrables.',
+ 'add_credit_card' => 'Ajouter une carte de crédit',
+ 'payment_method_added' => 'Ajouter une méthode de paiement',
+ 'use_for_auto_bill' => 'Utiliser pour les factures automatiques',
+ 'used_for_auto_bill' => 'Méthode de paiement de factures automatiques',
+ 'payment_method_set_as_default' => 'Configurer la méthode de paiement des factures automatiques.',
+ 'activity_41' => 'Le paiement de :payment_amount a échoué (:payment)',
+ 'webhook_url' => 'URL Webhook',
+ 'stripe_webhook_help' => 'Vous devez :link.',
+ 'stripe_webhook_help_link_text' => 'ajouter cette URL comme un terminal avec Stripe',
+ 'gocardless_webhook_help_link_text' => 'ajoute cette URL comme terminal dans GoCardless',
+ 'payment_method_error' => 'Une erreur s\'est produite en ajoutant votre méthode de paiement. Veuillez réessayer plus tard.',
+ 'notification_invoice_payment_failed_subject' => 'Le paiement a échoué pour la facture :invoice',
+ 'notification_invoice_payment_failed' => 'Un paiement fait par le client :client pour la facture :invoice à échoué. Le paiement a été marqué comme échoué et :amount a été ajouté au solde du client.',
+ 'link_with_plaid' => 'Lier le compte instantanément avec Plaid',
+ 'link_manually' => 'Lier manuellement',
+ 'secured_by_plaid' => 'Sécurisé par Plaid',
+ 'plaid_linked_status' => 'Votre compte de banque à :bank',
+ 'add_payment_method' => 'Ajouter une méthode de paiement',
+ 'account_holder_type' => 'Type de compte du détenteur',
+ 'ach_authorization' => 'J\'autorise :company à utiliser mon compte bancaire pour les paiements futurs et, si nécessaire, créditer électroniquement mon compte pour corriger d\'éventuels débits erronés. Je comprends que je peux annuler cette autorisation à tout moment en supprimant la méthode de paiement ou en contactant :email.',
+ 'ach_authorization_required' => 'Vous devez consentir aux transactions ACH.',
+ 'off' => 'Fermé',
+ 'opt_in' => 'Activer',
+ 'opt_out' => 'Désactiver',
+ 'always' => 'Toujours',
+ 'opted_out' => 'Désactivé',
+ 'opted_in' => 'Activé',
+ 'manage_auto_bill' => 'Gérer les factures automatiques',
+ 'enabled' => 'Activé',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Activer les paiements PayPal via BrainTree',
+ 'braintree_paypal_disabled_help' => 'La passerelle PayPal traite les paiements PayPal',
+ 'braintree_paypal_help' => 'Vous devez aussi :link.',
+ 'braintree_paypal_help_link_text' => 'lier PayPal à votre compte BrainTree',
+ 'token_billing_braintree_paypal' => 'Sauvegarder les détails du paiement',
+ 'add_paypal_account' => 'Ajouter un compte PayPal',
+
+
+ 'no_payment_method_specified' => 'Aucune méthode de paiement spécifiée',
+ 'chart_type' => 'Type de graphique',
+ 'format' => 'Format',
+ 'import_ofx' => 'Importer OFX',
+ 'ofx_file' => 'Fichier OFX',
+ 'ofx_parse_failed' => 'Le traitement du fichier OFX a échoué',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'S\'enregistrer avec WePay',
+ 'use_another_provider' => 'Utiliser un autre fournisseur',
+ 'company_name' => 'Nom de l\'entreprise',
+ 'wepay_company_name_help' => 'Ceci apparaitra sur le relevé de carte de crédit du client',
+ 'wepay_description_help' => 'Le but de ce compte.',
+ 'wepay_tos_agree' => 'J\'accepte les :link.',
+ 'wepay_tos_link_text' => 'Conditions d\'utilisation de WePay',
+ 'resend_confirmation_email' => 'Renvoyer le courriel de confirmation',
+ 'manage_account' => 'Gérer votre compte',
+ 'action_required' => 'Action requise',
+ 'finish_setup' => 'Terminer la configuration',
+ 'created_wepay_confirmation_required' => 'Veuillez vérifier vos courriel et confirmer votre adresse courriel avec WePay.',
+ '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',
+ 'united_states' => 'États-Unis',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accepter les cartes de débit',
+ 'debit_cards' => 'Cartes de débit',
+
+ 'warn_start_date_changed' => 'La prochaine facture sera envoyée à la date spécifiée',
+ 'warn_start_date_changed_not_sent' => 'La prochaine facture sera créée à la date spécifiée.',
+ 'original_start_date' => 'Première date de départ',
+ 'new_start_date' => 'Nouvelle date de départ',
+ 'security' => 'Sécurité',
+ 'see_whats_new' => 'Voir les nouveautés dans la version v:version',
+ 'wait_for_upload' => 'Veuillez patienter pendant le chargement du fichier',
+ 'upgrade_for_permissions' => 'Adhérez à notre Plan entreprise pour activer les permissions.',
+ 'enable_second_tax_rate' => 'Activer la gestion d\'un second taux de taxe',
+ 'payment_file' => 'Fichier de paiement',
+ 'expense_file' => 'Fichier de dépense',
+ 'product_file' => 'Fichier de produit',
+ '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',
+ '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',
+
+ 'view_dashboard' => 'Voir Tableau de bord',
+ 'client_session_expired' => 'Session expirée',
+ 'client_session_expired_message' => 'Votre session a expirée. Veuillez cliquer sur le lien dans votre courriel.',
+
+ 'auto_bill_notification' => 'Cette facture sera automatiquement facturée à votre :payment_method au dossier le :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'compte de banque',
+ 'auto_bill_payment_method_credit_card' => 'carte de crédit',
+ 'auto_bill_payment_method_paypal' => 'compte PayPal',
+ 'auto_bill_notification_placeholder' => 'Cette facture sera automatiquement facturée à votre carte de crédit inscrite au dossier à la date d\'échéance.',
+ 'payment_settings' => 'Paramètres de paiement',
+
+ 'on_send_date' => 'À la date d\'envoi',
+ 'on_due_date' => 'À la date d\'échéance',
+ 'auto_bill_ach_date_help' => 'ACH sera toujours facturé automatiquement à la date d\'échéance.',
+ 'warn_change_auto_bill' => 'Selon les règles de NACHA, les changements à cette facture pourrait prévenir l\'autofacturation de ACH.',
+
+ 'bank_account' => 'Compte de banque',
+ 'payment_processed_through_wepay' => 'Les paiements ACH seront traités avec WePay.',
+ '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:',
+ 'verification_pending' => 'En attente de vérification',
+
+ 'update_font_cache' => 'Veuillez actualiser la page pour mettre à jour le cache de la police de caractères',
+ 'more_options' => 'Plus d\'options',
+ 'credit_card' => 'Carte de crédit',
+ 'bank_transfer' => 'Virement bancaire',
+ 'no_transaction_reference' => 'Nous n\'avons pas reçu de référence de transaction de paiement de la passerelle.',
+ 'use_bank_on_file' => 'Utiliser la banque inscrite au dossier',
+ 'auto_bill_email_message' => 'Cette facture sera automatiquement facturée à votre méthode de paiement inscrite au dossier à la date d\'échéance.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Ajouté le :date',
+ 'failed_remove_payment_method' => 'La suppression de la méthode de paiement a échoué',
+ 'gateway_exists' => 'La passerelle existe déjà',
+ 'manual_entry' => 'Saisie manuelle',
+ 'start_of_week' => 'Premier jour de la semaine',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactif',
+ 'freq_daily' => 'Quotidienne',
+ 'freq_weekly' => 'Hebdomadaire',
+ 'freq_biweekly' => 'Bihebdomadaire',
+ 'freq_two_weeks' => 'Aux deux semaines',
+ 'freq_four_weeks' => 'Aux quatre semaines',
+ 'freq_monthly' => 'Mensuelle',
+ 'freq_three_months' => 'Trimestrielle',
+ 'freq_four_months' => '4 mois',
+ 'freq_six_months' => 'Semestrielle',
+ 'freq_annually' => 'Annuelle',
+ 'freq_two_years' => 'Deux ans',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Appliquer le crédit',
+ 'payment_type_Bank Transfer' => 'Virement bancaire',
+ 'payment_type_Cash' => 'Comptant',
+ 'payment_type_Debit' => 'Débit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover',
+ 'payment_type_Diners Card' => 'Diners Club',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Autre carte de crédit',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Chèque',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Débit direct',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Administration',
+ 'industry_Advertising' => 'Publicité',
+ 'industry_Aerospace' => 'Aérospatial',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automobile',
+ 'industry_Banking & Finance' => 'Finances',
+ 'industry_Biotechnology' => 'Biotechnologie',
+ 'industry_Broadcasting' => 'Médiadiffusion',
+ 'industry_Business Services' => 'Services aux entreprises',
+ 'industry_Commodities & Chemicals' => 'Matières premières',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Électronique',
+ 'industry_Defense' => 'Défense',
+ 'industry_Energy' => 'Energie',
+ 'industry_Entertainment' => 'Divertissement',
+ 'industry_Government' => 'Gouvernement',
+ 'industry_Healthcare & Life Sciences' => 'Santé',
+ 'industry_Insurance' => 'Assurance',
+ 'industry_Manufacturing' => 'Industrie manufacturière',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Médias',
+ 'industry_Nonprofit & Higher Ed' => 'Organisme sans but lucratif',
+ 'industry_Pharmaceuticals' => 'Pharmaceutique',
+ 'industry_Professional Services & Consulting' => 'Services Professionnels et Conseil',
+ 'industry_Real Estate' => 'Immobilier',
+ 'industry_Restaurant & Catering' => 'Restauration',
+ 'industry_Retail & Wholesale' => 'Détail en gros',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Voyage',
+ 'industry_Other' => 'Autre',
+ 'industry_Photography' => 'Photographie',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albanie',
+ 'country_Antarctica' => 'Antartique',
+ 'country_Algeria' => 'Algérie',
+ 'country_American Samoa' => 'Samoa américaines',
+ 'country_Andorra' => 'Andorre',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua-et-Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentine',
+ 'country_Australia' => 'Australie',
+ 'country_Austria' => 'Autriche',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahreïn',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Arménie',
+ 'country_Barbados' => 'Barbade',
+ 'country_Belgium' => 'Belgique',
+ 'country_Bermuda' => 'Bermudes',
+ 'country_Bhutan' => 'Bhoutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivie',
+ 'country_Bosnia and Herzegovina' => 'Bosnie Herzégovine',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Île Bouvet',
+ 'country_Brazil' => 'Brésil',
+ 'country_Belize' => 'Bélize',
+ 'country_British Indian Ocean Territory' => 'Territoire britannique de l\'océan Indien',
+ 'country_Solomon Islands' => 'Iles Salomon',
+ 'country_Virgin Islands, British' => 'Îles Vierges britanniques',
+ 'country_Brunei Darussalam' => 'Brunei',
+ 'country_Bulgaria' => 'Bulgarie',
+ 'country_Myanmar' => 'Birmanie',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Biélorussie',
+ 'country_Cambodia' => 'Cambodge',
+ 'country_Cameroon' => 'Cameroun',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cap-Vert',
+ 'country_Cayman Islands' => 'Iles Cayman',
+ 'country_Central African Republic' => 'République Centrafricaine',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Tchad',
+ 'country_Chile' => 'Chili',
+ 'country_China' => 'Chine',
+ 'country_Taiwan, Province of China' => 'Taîwan',
+ 'country_Christmas Island' => 'Île Christmas',
+ 'country_Cocos (Keeling) Islands' => 'Îles Cocos (Keeling)',
+ 'country_Colombia' => 'Colombie',
+ 'country_Comoros' => 'Comores',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'République démocratique du Congo',
+ 'country_Cook Islands' => 'Îles Cook',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatie',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Chypre',
+ 'country_Czech Republic' => 'République tchèque',
+ 'country_Benin' => 'Bénin',
+ 'country_Denmark' => 'Danemark',
+ 'country_Dominica' => 'Dominique',
+ 'country_Dominican Republic' => 'République dominicaine',
+ 'country_Ecuador' => 'Équateur',
+ 'country_El Salvador' => 'Salvador',
+ 'country_Equatorial Guinea' => 'Guinée équatoriale',
+ 'country_Ethiopia' => 'Éthiopie',
+ 'country_Eritrea' => 'Érythrée',
+ 'country_Estonia' => 'Estonie',
+ 'country_Faroe Islands' => 'Îles Féroé',
+ 'country_Falkland Islands (Malvinas)' => 'Îles Malouines',
+ 'country_South Georgia and the South Sandwich Islands' => 'Géorgie du Sud-et-les Îles Sandwich du Sud',
+ 'country_Fiji' => 'Fidji',
+ 'country_Finland' => 'Finlande',
+ 'country_Åland Islands' => 'Åland',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'Guyane française',
+ 'country_French Polynesia' => 'Polynésie française',
+ 'country_French Southern Territories' => 'Terres australes et antarctiques françaises',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Géorgie',
+ 'country_Gambia' => 'Gambie',
+ 'country_Palestinian Territory, Occupied' => 'Territoires palestiniens occupés',
+ 'country_Germany' => 'Allemagne',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Grèce',
+ 'country_Greenland' => 'Groenland',
+ 'country_Grenada' => 'Grenade',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ 'country_Guam' => 'Guam',
+ 'country_Guatemala' => 'Guatemala',
+ 'country_Guinea' => 'Guinée',
+ 'country_Guyana' => 'Guyane',
+ 'country_Haiti' => 'Haiti',
+ 'country_Heard Island and McDonald Islands' => 'Îles Heard-et-MacDonald',
+ 'country_Holy See (Vatican City State)' => 'Vatican',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hongrie',
+ 'country_Iceland' => 'Islande',
+ 'country_India' => 'Inde',
+ 'country_Indonesia' => 'Indonésie',
+ 'country_Iran, Islamic Republic of' => 'Iran',
+ 'country_Iraq' => 'Irak',
+ 'country_Ireland' => 'Irlande',
+ 'country_Israel' => 'Israël',
+ 'country_Italy' => 'Italie',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaique',
+ 'country_Japan' => 'Japon',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordanie',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Corée du Nord',
+ 'country_Korea, Republic of' => 'Corée du Sud',
+ 'country_Kuwait' => 'Koweit',
+ 'country_Kyrgyzstan' => 'Kirghizistan',
+ 'country_Lao People\'s Democratic Republic' => 'Laos',
+ 'country_Lebanon' => 'Liban',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Lettonie',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libye',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lituanie',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaisie',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malte',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritanie',
+ 'country_Mauritius' => 'Maurice',
+ 'country_Mexico' => 'Mexique',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolie',
+ 'country_Moldova, Republic of' => 'Moldavie',
+ 'country_Montenegro' => 'Monténégro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Maroc',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibie',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Népal',
+ 'country_Netherlands' => 'Pays-Bas',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Saint-Martin (partie Pays-Bas)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Pays-Bas caribéens',
+ 'country_New Caledonia' => 'Nouvelle-Calédonie',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'Nouvelle-Zélande',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Île Norfolk',
+ 'country_Norway' => 'Norvège',
+ 'country_Northern Mariana Islands' => 'Îles Mariannes du Nord',
+ 'country_United States Minor Outlying Islands' => 'Îles mineures éloignées des États-Unis',
+ 'country_Micronesia, Federated States of' => 'Micronésie',
+ 'country_Marshall Islands' => 'Îles Marshall',
+ 'country_Palau' => 'Palaos',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papouasie-Nouvelle-Guinée',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Pérou',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Îles Pitcairn',
+ 'country_Poland' => 'Pologne',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinée-Bissau',
+ 'country_Timor-Leste' => 'Timor oriental',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'La Réunion',
+ 'country_Romania' => 'Roumanie',
+ 'country_Russian Federation' => 'Fédération Russe',
+ 'country_Rwanda' => 'Rwanda',
+ 'country_Saint Barthélemy' => 'Saint Barthélemy',
+ 'country_Saint Helena, Ascension and Tristan da Cunha' => 'Sainte-Hélène, Ascension et Tristan da Cunha',
+ 'country_Saint Kitts and Nevis' => 'Saint-Kitts-et-Nevis',
+ 'country_Anguilla' => 'Anguilla',
+ 'country_Saint Lucia' => 'Sainte-Lucie',
+ 'country_Saint Martin (French part)' => 'Saint-Martin (partie française)',
+ 'country_Saint Pierre and Miquelon' => 'Saint Pierre et Miquelon',
+ 'country_Saint Vincent and the Grenadines' => 'Saint-Vincent-et-les-Grenadines',
+ 'country_San Marino' => 'Saint-Marin',
+ 'country_Sao Tome and Principe' => 'Sao Tomé-et-Principe',
+ 'country_Saudi Arabia' => 'Arabie Saoudite',
+ 'country_Senegal' => 'Sénégal',
+ 'country_Serbia' => 'Serbie',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovaquie',
+ 'country_Viet Nam' => 'Viêt Nam',
+ 'country_Slovenia' => 'Slovénie',
+ 'country_Somalia' => 'Somalie',
+ 'country_South Africa' => 'Afrique du Sud',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Espagne',
+ 'country_South Sudan' => 'Soudan du Sud',
+ 'country_Sudan' => 'Soudan',
+ 'country_Western Sahara' => 'Sahara occidental',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard et Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Suède',
+ 'country_Switzerland' => 'Suisse',
+ 'country_Syrian Arab Republic' => 'Syrie',
+ 'country_Tajikistan' => 'Tadjikistan',
+ 'country_Thailand' => 'Thaïlande',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinité-et-Tobago',
+ 'country_United Arab Emirates' => 'Émirats arabes unis',
+ 'country_Tunisia' => 'Tunisie',
+ 'country_Turkey' => 'Turquie',
+ 'country_Turkmenistan' => 'Turkménistan',
+ 'country_Turks and Caicos Islands' => 'Îles Turques-et-Caïques',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Ouganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macédoine',
+ 'country_Egypt' => 'Égypte',
+ 'country_United Kingdom' => 'Royaume-Uni',
+ 'country_Guernsey' => 'Guersney',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Île de Man',
+ 'country_Tanzania, United Republic of' => 'Tanzanie',
+ 'country_United States' => 'États-Unis',
+ 'country_Virgin Islands, U.S.' => 'Îles Vierges des États-Unis',
+ 'country_Burkina Faso' => 'Burkina faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Ouzbékistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Vénézuela',
+ 'country_Wallis and Futuna' => 'Wallis et Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yémen',
+ 'country_Zambia' => 'Zambie',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Portuguais - Brésil',
+ 'lang_Croatian' => 'Croate',
+ 'lang_Czech' => 'Tchèque',
+ 'lang_Danish' => 'Danois',
+ 'lang_Dutch' => 'Néerlandais',
+ 'lang_English' => 'Anglais',
+ 'lang_French' => 'Français',
+ 'lang_French - Canada' => 'Français - Canada',
+ 'lang_German' => 'Allemand',
+ 'lang_Italian' => 'Italien',
+ 'lang_Japanese' => 'Japonais',
+ 'lang_Lithuanian' => 'Lituanien',
+ 'lang_Norwegian' => 'Norvégien',
+ 'lang_Polish' => 'Polonais',
+ 'lang_Spanish' => 'Espagnol',
+ 'lang_Spanish - Spain' => 'Espagnol - Espagne',
+ 'lang_Swedish' => 'Suédois',
+ 'lang_Albanian' => 'Albanien',
+ 'lang_Greek' => 'Grec',
+ 'lang_English - United Kingdom' => 'Anglais - Royaume Uni',
+ 'lang_Slovenian' => 'Slovénien',
+ 'lang_Finnish' => 'Finlandais',
+ 'lang_Romanian' => 'Roumain',
+ 'lang_Turkish - Turkey' => 'Turc - Turquie',
+ 'lang_Portuguese - Brazilian' => 'Portugais - Brésil',
+ 'lang_Portuguese - Portugal' => 'Portugais - Portugal',
+ 'lang_Thai' => 'Baht thaïlandais',
+ 'lang_Macedonian' => 'Macédonien',
+ 'lang_Chinese - Taiwan' => 'Chinois - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Administration',
+ 'industry_Advertising' => 'Publicité',
+ 'industry_Aerospace' => 'Aérospatial',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automobile',
+ 'industry_Banking & Finance' => 'Finances',
+ 'industry_Biotechnology' => 'Biotechnologie',
+ 'industry_Broadcasting' => 'Médiadiffusion',
+ 'industry_Business Services' => 'Services aux entreprises',
+ 'industry_Commodities & Chemicals' => 'Matières premières',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Électronique',
+ 'industry_Defense' => 'Défense',
+ 'industry_Energy' => 'Energie',
+ 'industry_Entertainment' => 'Divertissement',
+ 'industry_Government' => 'Gouvernement',
+ 'industry_Healthcare & Life Sciences' => 'Santé',
+ 'industry_Insurance' => 'Assurance',
+ 'industry_Manufacturing' => 'Industrie manufacturière',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Médias',
+ 'industry_Nonprofit & Higher Ed' => 'Organisme sans but lucratif',
+ 'industry_Pharmaceuticals' => 'Pharmaceutique',
+ 'industry_Professional Services & Consulting' => 'Services Professionnels et Conseil',
+ 'industry_Real Estate' => 'Immobilier',
+ 'industry_Retail & Wholesale' => 'Détail en gros',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Voyage',
+ 'industry_Other' => 'Autre',
+ 'industry_Photography' =>'Photographie',
+
+ 'view_client_portal' => 'Voir le portail client',
+ 'view_portal' => 'Voir le portail',
+ 'vendor_contacts' => 'Contacts du fournisseur',
+ 'all' => 'Tous',
+ 'selected' => 'Sélectionnés',
+ 'category' => 'Catégorie',
+ 'categories' => 'Catégories',
+ 'new_expense_category' => 'Nouvelle catégorie de dépense',
+ 'edit_category' => 'Éditer la catégorie',
+ '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',
+ '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égorie de dépense archivée',
+ 'restore_expense_category' => 'Rétablir la catégorie de dépense',
+ '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',
+ 'buy_now_buttons' => 'Boutons Achetez maintenant',
+ 'landing_page' => 'Page d\'accueil',
+ 'payment_type' => 'Type de paiement',
+ 'form' => 'Formulaire',
+ 'link' => 'Lien',
+ 'fields' => 'Champs',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: Le client et la facture sont créés même si la transaction n\'est pas complétée.',
+ 'buy_now_buttons_disabled' => 'Cette fonctionnalité requiert qu\'un produit soit créé et qu\'une passerelle de paiement soit configurée.',
+ 'enable_buy_now_buttons_help' => 'Activer les boutons Achetez maintenant',
+ 'changes_take_effect_immediately' => 'Note: Les changements s\'appliquent immédiatement',
+ 'wepay_account_description' => 'Passerelle de paiement pour Invoice Ninja',
+ 'payment_error_code' => 'Il y a eu une erreur lors du traitement de paiement [:code]. Veuillez réessayer.',
+ 'standard_fees_apply' => 'Frais: 2.9%/1.2% [Carte de crédit/Virement bancaire] + $0.30 par transaction réussie.',
+ 'limit_import_rows' => 'Les données nécessitent d\'être importées en lots de :count rangées ou moins.',
+ 'error_title' => 'Il y a eu une erreur',
+ 'error_contact_text' => 'Si vous avez besoin d\'aide, veuillez nous contacter à :mailaddress',
+ 'no_undo' => 'Avertissement: Ceci ne peut être annulé.',
+ 'no_contact_selected' => 'Veuillez sélectionner un contact',
+ 'no_client_selected' => 'Veuillez sélectionner un client',
+
+ 'gateway_config_error' => 'Cela pourrait aider de définir de nouveau mots de passe ou générer de nouvelles clés API.',
+ 'payment_type_on_file' => ':type inscrit au dossier',
+ 'invoice_for_client' => 'Facture :invoice pour :client',
+ 'intent_not_found' => 'Désolé, je ne comprend pas bien ce que vous souhaitez. ',
+ 'intent_not_supported' => 'Désolé, je ne peux pas faire cela.',
+ 'client_not_found' => 'Je n\'ai pu trouvé le client',
+ 'not_allowed' => 'Désolé, vous n\'avez pas les permissions requises',
+ 'bot_emailed_invoice' => 'La facture a été envoyée.',
+ 'bot_emailed_notify_viewed' => 'Recevez un courriel lorsqu\'elle sera vue.',
+ 'bot_emailed_notify_paid' => 'Recevez un courriel lorsqu\'elle sera payée.',
+ 'add_product_to_invoice' => 'Ajouter 1 :product',
+ 'not_authorized' => 'Vous n\'êtes pas autorisé',
+ 'bot_get_email' => 'Salut! (wave)
Merci de vouloir essayer le Bot de Invoice Ninja.
Envoie-moi l\'adresse courriel de ton compte pour commencer.',
+ 'bot_get_code' => 'Merci! Je vous ai envoyé un courriel avec votre code de sécurité.',
+ 'bot_welcome' => 'Ça y est, votre compte est maintenant vérifié.>br/>',
+ 'email_not_found' => 'Je n\'ai pas pu trouver un compte disponible pour :email',
+ 'invalid_code' => 'Le code n\'est pas valide',
+ 'security_code_email_subject' => 'Code de sécurité pour le Bot de Invoice Ninja',
+ 'security_code_email_line1' => 'Ceci est votre code de sécurité pour le Bot de Invoice Ninja.',
+ 'security_code_email_line2' => 'Note: il expirera dans 10 minutes.',
+ 'bot_help_message' => 'Je supporte actuellement:
• Créer\mettre à jour\envoyer une facture
• Lister les produits
Par exemple:
Facturer 2 billets à Simon, définir la date d\'échéance au prochain jeudi et l\'escompte à 10 %',
+ 'list_products' => 'Liste des produits',
+
+ 'include_item_taxes_inline' => 'Inclure une ligne de taxes dans la ligne total',
+ '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',
+ 'self-update' => 'Mettre à jour',
+ 'update_invoiceninja_title' => 'Mettre à jour Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Invoice Ninja crée une sauvegarde de votre base de données et de vos fichiers avant la mise à jour.',
+ 'update_invoiceninja_available' => 'Une nouvelle version de Invoice Ninja est disponible.',
+ 'update_invoiceninja_unavailable' => 'Aucune mise à jour de Invoice Ninja disponible.',
+ 'update_invoiceninja_instructions' => 'Veuillez installer la nouvelle version :version en cliquant sur le bouton Mettre à jour ci-dessous. Ensuite, vous serez redirigé vers le tableau de bord.',
+ 'update_invoiceninja_update_start' => 'Mettre à jour',
+ 'update_invoiceninja_download_start' => 'Télécharger :version',
+ 'create_new' => 'Créer',
+
+ 'toggle_navigation' => 'Basculer la navigation',
+ 'toggle_history' => 'Basculer l\'historique',
+ 'unassigned' => 'Non assigné',
+ 'task' => 'Tâche',
+ 'contact_name' => 'Nom du contact',
+ 'city_state_postal' => 'Ville/Prov/CP',
+ 'custom_field' => 'Champ personnalisé',
+ 'account_fields' => 'Champs pour entreprise',
+ 'facebook_and_twitter' => 'Facebook et Twitter',
+ 'facebook_and_twitter_help' => 'Suivez-nous pour nous soutenir notre projet',
+ 'reseller_text' => 'Note: La licence sans-pub est réservée pour un usage personnel. Veuillez prendre contact avec nous à :email si vous souhaitez revendre l\'application.',
+ 'unnamed_client' => 'Client sans nom',
+
+ 'day' => 'Jour',
+ 'week' => 'Semaine',
+ 'month' => 'Mois',
+ 'inactive_logout' => 'Vous avez été déconnecté en raison de l\'inactivité.',
+ 'reports' => 'Rapports',
+ 'total_profit' => 'Total des profits',
+ 'total_expenses' => 'Dépenses',
+ 'quote_to' => 'Soumission pour',
+
+ // Limits
+ 'limit' => 'Limite',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'Aucune limite',
+ 'set_limits' => 'Définir les limites de :gateway_type',
+ 'enable_min' => 'Activer min',
+ 'enable_max' => 'Activer max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'Cette facture ne rencontre pas les limites définies pour ce type de paiement.',
+
+ 'date_range' => 'Intervalle de dates',
+ 'raw' => 'Brut',
+ 'raw_html' => 'HTML brut',
+ 'update' => 'Mise à jour',
+ 'invoice_fields_help' => 'Cliquez et déplacez les champs pour modifier leur ordre et emplacement',
+ 'new_category' => 'Nouvelle catégorie',
+ 'restore_product' => 'Restaurer le produit',
+ 'blank' => 'Vide',
+ 'invoice_save_error' => 'Il y a eu une erreur lors de la sauvegarde de votre facture',
+ 'enable_recurring' => 'Activer la récurrence',
+ 'disable_recurring' => 'Désactiver la récurrence',
+ 'text' => 'Texte',
+ 'expense_will_create' => 'dépense sera créée',
+ 'expenses_will_create' => 'dépenses seront créée',
+ 'created_expenses' => ':count dépense(s) créée(s)',
+
+ 'translate_app' => 'Aidez-nous à améliorer nos traductions avec :link',
+ 'expense_category' => 'Catégorie de dépense',
+
+ 'go_ninja_pro' => 'Devenez Ninja Pro',
+ 'go_enterprise' => 'Devenez Entreprise!',
+ 'upgrade_for_features' => 'Mise à jour pour plus de fonctionnalités',
+ 'pay_annually_discount' => 'Payez annuellement pour 10 mois + 2 gratuits',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'votrenom.invoiceninja.com',
+ 'pro_upgrade_feature2' => 'Personnalisez tous les aspects de votre facture',
+ 'enterprise_upgrade_feature1' => 'Définissez les permissions pour plusieurs utilisateurs',
+ 'enterprise_upgrade_feature2' => 'Ajoutez des fichiers joints aux factures et dépenses',
+ 'much_more' => 'Encore plus!',
+ 'all_pro_fetaures' => 'Plus toutes les fonctionnalités Pro!',
+
+ 'currency_symbol' => 'Symbole',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Acheter une licence',
+ 'apply_license' => 'Activer la licence',
+ 'submit' => 'Envoyer',
+ 'white_label_license_key' => 'Clé de la licence',
+ 'invalid_white_label_license' => 'La licence sans pub n\'est pas valide',
+ 'created_by' => 'Créé par :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'Premier mois de l\'année',
+ 'authentication' => 'Authentification',
+ 'checkbox' => 'Case à cocher',
+ '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_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',
+ 'require_quote_signature' => 'Signature de soumission',
+ 'require_quote_signature_help' => 'Requiert une signature du client',
+ 'i_agree' => 'J\'accepte les conditions',
+ 'sign_here' => 'Veuillez signer ici:',
+ 'authorization' => 'Autorisation',
+ 'signed' => 'Signé',
+
+ // BlueVine
+ 'bluevine_promo' => 'Obtenez des marges de crédit et d\'affacturages d\'affaires flexible en utilisant BlueVIne.',
+ 'bluevine_modal_label' => 'Inscrivez-vous avec BlueVine',
+ 'bluevine_modal_text' => 'Financement rapide pour votre entreprise. Pas de paperasse.
+- Marges de crédit et affacturage d\'affaires flexibles.
',
+ 'bluevine_create_account' => 'Créer un compte',
+ 'quote_types' => 'Obtenir une soumission pour',
+ 'invoice_factoring' => 'Affacturage',
+ 'line_of_credit' => 'Marge de crédit',
+ 'fico_score' => 'Votre pointage de crédit',
+ 'business_inception' => 'Date de création de l\'entreprise',
+ 'average_bank_balance' => 'Solde moyen de compte bancaire',
+ 'annual_revenue' => 'Revenu annuel',
+ 'desired_credit_limit_factoring' => 'Affacturage désiré',
+ 'desired_credit_limit_loc' => 'Marge de crédit désirée',
+ 'desired_credit_limit' => 'Limite de crédit désirée',
+ 'bluevine_credit_line_type_required' => 'Faites au moins un choix',
+ 'bluevine_field_required' => 'Ce champs est requis',
+ 'bluevine_unexpected_error' => 'Une erreur inattendue s\'est produite.',
+ 'bluevine_no_conditional_offer' => 'Vous devez fournir plus d\'information afin d\'obtenir une soumission. Veuillez cliquer ci-dessous.',
+ 'bluevine_invoice_factoring' => 'Affacturage',
+ 'bluevine_conditional_offer' => 'Offre conditionnelle',
+ 'bluevine_credit_line_amount' => 'Marge de crédit',
+ 'bluevine_advance_rate' => 'Taux de l\'accompte',
+ 'bluevine_weekly_discount_rate' => 'Taux de remise hebdomadaire',
+ 'bluevine_minimum_fee_rate' => 'Frais minimaux',
+ 'bluevine_line_of_credit' => 'Marge de crédit',
+ 'bluevine_interest_rate' => 'Taux d\'intérêt',
+ 'bluevine_weekly_draw_rate' => 'Taux hebdomadaire de retrait',
+ 'bluevine_continue' => 'Continuer vers BlueVine',
+ 'bluevine_completed' => 'Inscription complètée avec BlueVIne',
+
+ 'vendor_name' => 'Fournisseur',
+ 'entity_state' => 'Province',
+ 'client_created_at' => 'Date de création',
+ 'postmark_error' => 'Il y a eu un problème en envoyant le courriel par Postmark: :link',
+ 'project' => 'Projet',
+ 'projects' => 'Projets',
+ 'new_project' => 'Nouveau projet',
+ 'edit_project' => 'Éditer le projet',
+ 'archive_project' => 'Archiver le projet',
+ 'list_projects' => 'Lister les projets',
+ '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é',
+ 'delete_project' => 'Supprimer le projet',
+ '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é',
+ 'delete_product' => 'Supprimer le produit',
+ 'deleted_product' => 'Le produit a été supprimé',
+ 'deleted_products' => ':count produits 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',
+ 'edit_credit' => 'Éditer le crédit',
+ 'live_preview_help' => 'Afficher une prévisualisation actualisée sur la page d\'une facture.
Désactiver cette fonctionnalité pour améliorer les performances pendant l\'édition des factures.',
+ 'force_pdfjs_help' => 'Remplacer le lecteur PDF intégré dans :chrome_link et dans :firefox_link.
Activer cette fonctionnalité si votre navigateur télécharge automatiquement les fichiers PDF.',
+ 'force_pdfjs' => 'Empêcher le téléchargement',
+ 'redirect_url' => 'URL de redirection',
+ 'redirect_url_help' => 'Veuillez spécifier une URL optionnelle de redirection après la saisi d\'un paiement.',
+ 'save_draft' => 'Sauvegarder le brouillon',
+ 'refunded_credit_payment' => 'Paiement de crédit remboursés',
+ 'keyboard_shortcuts' => 'Raccourcis clavier',
+ 'toggle_menu' => 'Basculer la navigation',
+ 'new_...' => 'Nouveau ...',
+ 'list_...' => 'Liste ...',
+ 'created_at' => 'Créé le',
+ 'contact_us' => 'Nous joindre',
+ 'user_guide' => 'Guide de l\'utilisateur',
+ '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 payée',
+ '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 !',
+ 'last_7_days' => '7 derniers jours',
+ 'last_30_days' => '30 derniers jours',
+ 'this_month' => 'Mois en cours',
+ 'last_month' => 'Mois dernier',
+ 'last_year' => 'Dernière année',
+ 'custom_range' => 'Personnalisé',
+ 'url' => 'URL',
+ 'debug' => 'Débogage',
+ 'https' => 'HTTPS',
+ 'require' => 'Obligatoire',
+ 'license_expiring' => 'Note: Votre licence va expirer dans :count jours, :link pour la renouveler.',
+ 'security_confirmation' => 'Votre adresse courriel a été confirmée.',
+ 'white_label_expired' => 'Votre licence sans pub a expiré. Merci de la renouveler pour soutenir notre projet.',
+ 'renew_license' => 'Renouveler la licence',
+ 'iphone_app_message' => 'Avez-vous penser télécharger notre :link',
+ 'iphone_app' => 'App iPhone',
+ 'android_app' => 'App Android',
+ 'logged_in' => 'Connecté',
+ 'switch_to_primary' => 'Veuillez basculer vers votre entreprise initiale (:name) pour gérer votre plan d\'abonnement.',
+ 'inclusive' => 'Inclusif',
+ 'exclusive' => 'Exclusif',
+ 'postal_city_state' => 'Ville/Province/Code postal',
+ 'phantomjs_help' => 'Dans certains cas, l\'application utilise :link_phantom pour générer le PDF. Installez :link_docs pour le générer localement.',
+ 'phantomjs_local' => 'Utilise PhantomJS local',
+ 'client_number' => 'Numéro de client',
+ 'client_number_help' => 'Spécifiez un préfixe ou utilisez un modèle personnalisé pour la création du numéro de client.',
+ 'next_client_number' => 'Le prochain numéro de client est :number.',
+ 'generated_numbers' => 'Nombres générés',
+ 'notes_reminder1' => 'Premier rappel',
+ 'notes_reminder2' => 'Deuxième rappel',
+ 'notes_reminder3' => 'Troisième rappel',
+ 'bcc_email' => 'Courriel CCI',
+ 'tax_quote' => 'Taxe de soumission',
+ 'tax_invoice' => 'Taxe de facture',
+ '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.',
+ 'domain_help_website' => 'Utilisé lors de l\'envoi des courriels.',
+ 'preview' => 'PRÉVISUALISATION',
+ 'import_invoices' => 'Importer les factures',
+ 'new_report' => 'Nouveau rapport',
+ 'edit_report' => 'Éditer le rapport',
+ 'columns' => 'Colonnes',
+ 'filters' => 'Filtres',
+ 'sort_by' => 'Trié par',
+ 'draft' => 'Brouillon',
+ 'unpaid' => 'Impayé',
+ 'aging' => 'Impayés',
+ 'age' => 'Âge',
+ 'days' => 'Jours',
+ 'age_group_0' => '0 - 30 jours',
+ 'age_group_30' => '30 - 60 jours',
+ 'age_group_60' => '60 - 90 jours',
+ 'age_group_90' => '90 - 120 jours',
+ 'age_group_120' => '120+ jours',
+ 'invoice_details' => 'Détails de facture',
+ 'qty' => 'Quantité',
+ 'profit_and_loss' => 'Profit et perte',
+ 'revenue' => 'Revenu',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Trier par groupe',
+ 'group_dates_by' => 'Grouper les dates par',
+ 'year' => 'Année',
+ 'view_statement' => 'Visualiser le relevé',
+ 'statement' => 'Relevé',
+ 'statement_date' => 'Date du relevé',
+ 'mark_active' => 'Cocher actif',
+ 'send_automatically' => 'Envoyer automatiquement',
+ 'initial_email' => 'Courriel initial',
+ 'invoice_not_emailed' => 'Cette facture n\'a pas été envoyé par courriel.',
+ 'quote_not_emailed' => 'Cette soumission n\'a pas été envoyé par courriel.',
+ 'sent_by' => 'Envoyé par :user',
+ 'recipients' => 'destinataires',
+ 'save_as_default' => 'Sauvegarder comme défaut',
+ 'template' => 'Modèle',
+ 'start_of_week_help' => 'Utilisé par les sélecteurs de date',
+ 'financial_year_start_help' => 'Utilisé par les sélecteurs d\'écart de date',
+ 'reports_help' => 'MAJ + Clic pour filtrer plusieurs colonnes. CRTL + Clic pour annuler le groupement.',
+ 'this_year' => 'Cette année',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Créer, envoyer et encaissez.',
+ 'login_or_existing' => 'Ou connectez-vous avec un compte connecté.',
+ 'sign_up_now' => 'Inscrivez-vous maintenant',
+ 'not_a_member_yet' => 'Pas encore membre?',
+ 'login_create_an_account' => 'Créer un compte',
+ 'client_login' => 'Connexion client',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Factures de:',
+ 'email_alias_message' => 'Chaque entreprise doit avoir une adresse courriel unique.
+
Vous pouvez utiliser un alias, ex. email+label@example.com',
+ 'full_name' => 'Nom complet',
+ 'month_year' => 'MOIS/ANNÉE',
+ 'valid_thru' => 'Valide\nthru',
+
+ 'product_fields' => 'Champs produit',
+ 'custom_product_fields_help' => 'Ajoute un champ lors de la création d\'un produit ou d\'une facture et affiche l\'étiquette et la valeur sur la visualisation PDF.',
+ 'freq_two_months' => 'Deux mois',
+ 'freq_yearly' => 'Annuellement',
+ 'profile' => 'Profil',
+ 'payment_type_help' => 'Définit le type de paiement manuel par défaut.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Votre relevé',
+ 'statement_issued_to' => 'Relevé émis pour',
+ 'statement_to' => 'Relevé à',
+ 'customize_options' => 'Personnaliser les options',
+ 'created_payment_term' => 'Le terme de paiement a été crée',
+ 'updated_payment_term' => 'Le terme de paiement a été mis à jour',
+ 'archived_payment_term' => 'Le terme 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',
+ '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',
+ 'pro_plan_reports' => ':link pour activer les rapports en joignant le Plan Pro',
+ 'mark_ready' => 'Marquer comme prêt',
+
+ 'limits' => 'Limites',
+ 'fees' => 'Frais',
+ 'fee' => 'Frais',
+ 'set_limits_fees' => 'Définit les limites/frais de :gateway_type ',
+ 'fees_tax_help' => 'Activer les taxes par article pour définir les taux de taxes.',
+ 'fees_sample' => 'Les frais pour une facture de :amount serait :total.',
+ 'discount_sample' => 'Le rabais pour une facture de :amount serait de :total.',
+ 'no_fees' => 'Aucun frais',
+ 'gateway_fees_disclaimer' => 'Avertissement: Toutes les passerelles de paiement ou provinces n\'autorisent pas l\'ajout de frais. Veuillez vous renseigner auprès des autorités compétentes.',
+ 'percent' => 'Pourcent',
+ 'location' => 'Endroit',
+ 'line_item' => 'Ligne d\'article',
+ 'surcharge' => 'surcharge',
+ 'location_first_surcharge' => 'Activer - Première surcharge',
+ 'location_second_surcharge' => 'Activer - Deuxième surcharge',
+ 'location_line_item' => 'Activer - Ligne d\'article',
+ 'online_payment_surcharge' => 'Surcharge de paiement en ligne',
+ 'gateway_fees' => 'Frais de passerelle',
+ 'fees_disabled' => 'Frais désactivés',
+ 'gateway_fees_help' => 'Ajoute automatiquement un paiement en ligne de surcharge/remise.',
+ 'gateway' => 'Passerelle',
+ 'gateway_fee_change_warning' => 'S\'il y a des factures impayées avec des frais, elles doivent être mises à jour manuellement.',
+ 'fees_surcharge_help' => 'Personnaliser surcharge :link.',
+ 'label_and_taxes' => 'Libellé et taxes',
+ 'billable' => 'Facturable',
+ 'logo_warning_too_large' => 'Le fichier image est trop gros.',
+ 'logo_warning_fileinfo' => 'Avertissement: L\'extension PHP fileinfo doit être activée pour utiliser les gifs',
+ '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',
+ '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' => 'Remise de paiement en ligne',
+ 'created_new_company' => 'La nouvelle entreprise a été créé',
+ '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.',
+ 'invoice_footer_help' => 'Utilisez $pageNumber et $pageCount pour afficher les informations de la page.',
+ 'credit_note' => 'Note de crédit',
+ 'credit_issued_to' => 'Crédit accordé à',
+ 'credit_to' => 'Crédit à',
+ 'your_credit' => 'Votre crédit',
+ 'credit_number' => 'Numéro de crédit',
+ 'create_credit_note' => 'Créer une note de crédit',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Erreur: Les tables de passerelle ont des ID incorrectes.',
+ 'purge_data' => 'Purger les données',
+ '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é supprimé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',
+ 'contact_email' => 'Courriel du contact',
+ '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 est réussie.',
+ '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...',
+ 'microphone_help' => 'Dites "nouvelle facture pour [client]" ou "montre-moi les paiements archivés pour [client]"',
+ 'voice_commands' => 'Commandes vocales',
+ 'sample_commands' => 'Exemples de commandes',
+ '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',
+ 'recommend_on' => 'Il est recommandé d\'activer cette option.',
+ 'recommend_off' => 'Il est recommandé de désactiver cette option.',
+ 'notes_auto_billed' => 'Autofacturation',
+ 'surcharge_label' => 'Intitulé de surcharge',
+ 'contact_fields' => 'Champs de contact',
+ 'custom_contact_fields_help' => 'Ajoute un champ lors de la création d\'un contrat et affiche, de façon optionnelle, le libellé et la valeur dans le PDF.',
+ 'datatable_info' => ':start entrées sur :end',
+ 'credit_total' => 'Total du crédit',
+ 'mark_billable' => 'Marquer comme facturable',
+ 'billed' => 'Facturé',
+ 'company_variables' => 'Variables de la compagnie',
+ 'client_variables' => 'Variables du client',
+ 'invoice_variables' => 'Variables de facture',
+ 'navigation_variables' => 'Variables de navigation',
+ 'custom_variables' => 'Variables personnalisées',
+ 'invalid_file' => 'Type de fichier invalide',
+ 'add_documents_to_invoice' => 'Ajouter un document à la facture',
+ 'mark_expense_paid' => 'Marquer comme payé',
+ 'white_label_license_error' => 'La validation de la licence n\'a pas fonctionné. Veuillez consulter storage/logs/laravel-error.log pour plus d\'information.',
+ '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',
+ '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 est en cours',
+ 'quote_design' => 'Design de soumission',
+ 'default_design' => 'Design standard',
+ 'custom_design1' => 'Design personnalisé 1',
+ 'custom_design2' => 'Design personnalisé 2',
+ 'custom_design3' => 'Design personnalisé 3',
+ 'empty' => 'Vide',
+ 'load_design' => 'Charger le design',
+ 'accepted_card_logos' => 'Logos des cartes acceptées',
+ 'phantomjs_local_and_cloud' => 'Utilise PhantomJS local et en second, phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Clé Analytics',
+ 'analytics_key_help' => 'Suivre les paiements en utilisant :link',
+ 'start_date_required' => 'La date de début est requise',
+ 'application_settings' => 'Paramètres de l\'application',
+ 'database_connection' => 'Connexion base de données',
+ 'driver' => 'Pilote',
+ 'host' => 'Hôte',
+ 'database' => 'Base de données',
+ 'test_connection' => 'Test de connexion',
+ 'from_name' => 'Nom de',
+ 'from_address' => 'Adresse de',
+ 'port' => 'Port',
+ 'encryption' => 'Cryptage',
+ 'mailgun_domain' => 'Domaine Mailgun',
+ 'mailgun_private_key' => 'Clé privée Mailgun',
+ 'send_test_email' => 'Envoyer un courriel test',
+ 'select_label' => 'Sélectionnez le libellé',
+ 'label' => 'Libellé',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Mettre à jour les infos de paiement',
+ 'updated_payment_details' => 'Les infos 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',
+ 'new_recurring_expense' => 'Nouvelle dépense récurrente',
+ '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',
+ 'created_recurring_expense' => 'La dépense récurrente a été créée',
+ 'archived_recurring_expense' => 'La dépense récurrente a été archivé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',
+ 'delete_recurring_expense' => 'Supprimer la dépense récurrente',
+ 'deleted_recurring_expense' => 'La dépense récurrente a été supprimée',
+ 'deleted_recurring_expense' => 'La dépense récurrente a été supprimée',
+ 'view_recurring_expense' => 'Visualiser la dépense récurrente',
+ 'taxes_and_fees' => 'Taxes et frais',
+ 'import_failed' => 'L\'importation a échoué',
+ 'recurring_prefix' => 'Préfixe récurrent',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Spécifiez un préfixe ou utilisez un modèle personnalisé pour définir de façon dynamique le numéro de crédit pour les factures négatives.',
+ 'next_credit_number' => 'Le prochain numéro de crédit est :number.',
+ 'padding_help' => 'Le nombre de zéro précédant le numéro.',
+ 'import_warning_invalid_date' => 'Avertissement: Le format de la date n\'est pas valide.',
+ 'product_notes' => 'Notes du produit',
+ 'app_version' => 'Version de l\'app',
+ 'ofx_version' => 'Version OFX',
+ 'gateway_help_23' => ':link pour obtenir vos clés API Stripe.',
+ 'error_app_key_set_to_default' => 'Erreur: APP_KEY est défini avec une valeur par défaut. Pour la mettre à jour, faite une sauvegarde de votre base de données et exécutez php artisan ninja:update-key
',
+ 'charge_late_fee' => 'Appliquer des frais de retard',
+ 'late_fee_amount' => 'Frais de retard',
+ 'late_fee_percent' => 'Pourcentage de frais de retard',
+ 'late_fee_added' => 'Les frais de retard ont été ajouté le :date',
+ 'download_invoice' => 'Télécharger la facture',
+ 'download_quote' => 'Télécharger la soumission',
+ 'invoices_are_attached' => 'Les factures PDF sont jointes.',
+ 'downloaded_invoice' => 'Un courriel sera envoyé avec la facture PDF',
+ 'downloaded_quote' => 'Un courriel sera envoyé avec la soumission PDF',
+ 'downloaded_invoices' => 'Un courriel sera envoyé avec les factures PDF',
+ 'downloaded_quotes' => 'Un courriel sera envoyé avec les soumissions PDF',
+ 'clone_expense' => 'Dupliquer la dépense',
+ 'default_documents' => 'Documents par défaut',
+ 'send_email_to_client' => 'Envoyer un courriel au client',
+ 'refund_subject' => 'Remboursement réussi',
+ 'refund_body' => 'Vous avez été remboursé du montant de ;amount pour la facture :invoice_number.',
+
+ 'currency_us_dollar' => 'Dollar américain',
+ 'currency_british_pound' => 'Livre sterling anglaise',
+ 'currency_euro' => 'Euro',
+ 'currency_south_african_rand' => 'Rand sud-africain',
+ 'currency_danish_krone' => 'Couronne danoise',
+ 'currency_israeli_shekel' => 'Shekel Israélien',
+ 'currency_swedish_krona' => 'Couronne suédoise',
+ 'currency_kenyan_shilling' => 'Shilling kényan',
+ 'currency_canadian_dollar' => 'Dollar canadien',
+ 'currency_philippine_peso' => 'Peso philippin',
+ 'currency_indian_rupee' => 'Roupie indienne',
+ 'currency_australian_dollar' => 'Dollar australien',
+ 'currency_singapore_dollar' => 'Dollar de Singapour',
+ 'currency_norske_kroner' => 'Couronne norvégienne',
+ 'currency_new_zealand_dollar' => 'Dollar néo-zélandais',
+ 'currency_vietnamese_dong' => 'Dong vietnamien',
+ 'currency_swiss_franc' => 'Franc suisse',
+ 'currency_guatemalan_quetzal' => 'Quetzal guatémaltèque',
+ 'currency_malaysian_ringgit' => 'Ringgit malaisien',
+ 'currency_brazilian_real' => 'Réal brésilien',
+ 'currency_thai_baht' => 'Baht thaïlandais',
+ 'currency_nigerian_naira' => 'Naira nigérian',
+ 'currency_argentine_peso' => 'Peso argentin',
+ 'currency_bangladeshi_taka' => 'Taka bengali',
+ 'currency_united_arab_emirates_dirham' => 'Dirham des Émirats arabes unis',
+ 'currency_hong_kong_dollar' => 'Dollar de Hong Kong',
+ 'currency_indonesian_rupiah' => 'Roupie indonésienne',
+ 'currency_mexican_peso' => 'Peso mexicain',
+ 'currency_egyptian_pound' => 'Livre égyptienne',
+ 'currency_colombian_peso' => 'peso colombien',
+ 'currency_west_african_franc' => 'Franc ouest-africain',
+ 'currency_chinese_renminbi' => 'Renminbi chinois',
+ 'currency_rwandan_franc' => 'Franc rwandais',
+ 'currency_tanzanian_shilling' => 'Shilling tanzanien',
+ 'currency_netherlands_antillean_guilder' => 'Guilder des Antilles néerlandaises',
+ 'currency_trinidad_and_tobago_dollar' => 'Dollar de Trinité-et-Tobago',
+ 'currency_east_caribbean_dollar' => 'Dollar des Caraïbes orientales',
+ 'currency_ghanaian_cedi' => 'Cedi ghanéen',
+ 'currency_bulgarian_lev' => 'Lev bulgare',
+ 'currency_aruban_florin' => 'Florin arubais',
+ 'currency_turkish_lira' => 'Livre turque',
+ 'currency_romanian_new_leu' => 'Leu roumain',
+ 'currency_croatian_kuna' => 'Kuna croate',
+ 'currency_saudi_riyal' => 'Riyal saoudien',
+ 'currency_japanese_yen' => 'Yen japonais',
+ 'currency_maldivian_rufiyaa' => 'Rufiyaa maldivien',
+ 'currency_costa_rican_colon' => 'Colón costaricien',
+ 'currency_pakistani_rupee' => 'Roupie pakistanaise',
+ 'currency_polish_zloty' => 'Złoty polonaise',
+ 'currency_sri_lankan_rupee' => 'Roupie srilankaise',
+ 'currency_czech_koruna' => 'Couronne tchèque',
+ 'currency_uruguayan_peso' => 'Peso uruguayen',
+ 'currency_namibian_dollar' => 'Dollar namibien',
+ 'currency_tunisian_dinar' => 'Dinar tunisien',
+ 'currency_russian_ruble' => 'Rouble russe',
+ 'currency_mozambican_metical' => 'Metical Mozambicain',
+ 'currency_omani_rial' => 'Rial omanais',
+ 'currency_ukrainian_hryvnia' => 'Hryvnia ukrénien',
+ 'currency_macanese_pataca' => 'Pataca Macanais',
+ 'currency_taiwan_new_dollar' => 'Nouveau dollar de Taïwan',
+ 'currency_dominican_peso' => 'Peso dominicain',
+ 'currency_chilean_peso' => 'Peso chilien',
+ 'currency_icelandic_krona' => 'Couronne islandaise',
+ 'currency_papua_new_guinean_kina' => 'Kina papouasien néo-guinéen',
+ 'currency_jordanian_dinar' => 'Dinar jordanien',
+ 'currency_myanmar_kyat' => 'Kyat birman',
+ 'currency_peruvian_sol' => 'Nouveau sol péruvien',
+ 'currency_botswana_pula' => 'Pula botswanais',
+ 'currency_hungarian_forint' => 'Forint hongrois',
+ 'currency_ugandan_shilling' => 'Shilling ougandais',
+ 'currency_barbadian_dollar' => 'Dollar barbadien',
+ 'currency_brunei_dollar' => 'Dollar de Brunei',
+ 'currency_georgian_lari' => 'Lari géorgien',
+ 'currency_qatari_riyal' => 'Riyal qatarien',
+ 'currency_honduran_lempira' => 'Lempira hondurien',
+ 'currency_surinamese_dollar' => 'Dollar du Suriname',
+ 'currency_bahraini_dinar' => 'Dinar bahreïni',
+
+ 'review_app_help' => 'Nous espérons que votre utilisation de cette application vous est agréable.
Un commentaire de votre part serait grandement apprécié!',
+ 'writing_a_review' => 'rédiger un commentaire',
+
+ 'use_english_version' => 'Veuillez vous assurer d\'utiliser la version anglaise des fichiers.
Les entêtes de colonnes sont utilisées pour correspondre aux champs.',
+ 'tax1' => 'Première taxe',
+ 'tax2' => 'Deuxième taxe',
+ 'fee_help' => 'Les frais de la passerelle sont les coûts facturés pour l\'accès aux réseaux financiers qui traitent le traitement des paiements en ligne.',
+ 'format_export' => 'Format d\'exportation',
+ 'custom1' => 'Personnalisation 1',
+ 'custom2' => 'Personnalisation 2',
+ 'contact_first_name' => 'Prénom du contact',
+ 'contact_last_name' => 'Nom du contact',
+ 'contact_custom1' => 'Personnalisation 1 du contact',
+ 'contact_custom2' => 'Personnalisation 2 du contact',
+ 'currency' => 'Devise',
+ 'ofx_help' => 'Pour résoudre un problème, consultez les commentaires sur :ofxhome_link et testez avec :ofxget_link.',
+ 'comments' => 'commentaires',
+
+ 'item_product' => 'Produit de l\'article',
+ 'item_notes' => 'Notes de l\'article',
+ 'item_cost' => 'Coût de l\'article',
+ 'item_quantity' => 'Quantité de l\'article',
+ 'item_tax_rate' => 'Taux de taxe de l\'article',
+ 'item_tax_name' => 'Nom de taxe de l\'article',
+ 'item_tax1' => 'Taxe 1 de l\'article',
+ 'item_tax2' => 'Taxe 2 de l\'article',
+
+ 'delete_company' => 'Supprimer l\'entreprise',
+ 'delete_company_help' => 'Cette action supprime définitivement l\'entreprise et toutes les données associées.',
+ 'delete_company_message' => 'Avertissement: Cette entreprise sera définitivement supprimée. ',
+
+ 'applied_discount' => 'Le coupon a été appliqué, le prix du plan est réduit de :discount%.',
+ 'applied_free_year' => 'Le coupon a été appliqué, votre compte est maintenant au plan Pro pour une année.',
+
+ 'contact_us_help' => 'Si vous devez rapporter une erreur, veuillez inclure toute information pertinente que vous trouverez dans les fichiers logs à storage/logs/laravel-error.log',
+ 'include_errors' => 'Inclure les erreurs',
+ 'include_errors_help' => 'Inclure le :link de storage/logs/laravel-error.log',
+ 'recent_errors' => 'erreurs récentes',
+ 'customer' => 'Client',
+ 'customers' => 'Clients',
+ '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.',
+ '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',
+ 'sepa' => 'SEPA Débit direct',
+ 'enable_alipay' => 'Accepter Alipay',
+ 'enable_sofort' => 'Accepter les tranferts de banques EU',
+ 'stripe_alipay_help' => 'Ces passerelles doivent aussi être activées dans :link.',
+ 'calendar' => 'Calendrier',
+ 'pro_plan_calendar' => ':link pour activer le calendrier en joignant le Plan Pro',
+
+ 'what_are_you_working_on' => 'Sur quoi travaillez-vous ?',
+ 'time_tracker' => 'Minuteur',
+ 'refresh' => 'Actualiser',
+ 'filter_sort' => 'Filtrer/trier',
+ 'no_description' => 'Aucune description',
+ 'time_tracker_login' => 'Connexion au minuteur',
+ '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 est démarée',
+ 'create_client' => 'Créer un client',
+
+ 'download_desktop_app' => 'Télécharger l\'app. de bureau',
+ 'download_iphone_app' => 'Télécharger l\'app. iPhone',
+ 'download_android_app' => 'Télécharger l\'app. Android',
+ 'time_tracker_mobile_help' => 'Double-tapez une tâche pour la sélectionner',
+ 'stopped' => 'Arrêtée',
+ 'ascending' => 'Ascendant',
+ 'descending' => 'Descendant',
+ 'sort_field' => 'Trié par',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Annuler',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'min',
+ 'time_hr' => 'h',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Remettre à zéro',
+ 'warn_payment_gateway' => 'Note: pour accepter un paiement en ligne, il faut une passerelle de paiements, :link pour en ajouter une.',
+ 'task_rate' => 'Taux de tâche',
+ 'task_rate_help' => 'Défini le taux par défaut pour les tâches facturées.',
+ 'past_due' => 'En souffrance',
+ 'document' => 'Justificatifs',
+ 'invoice_or_expense' => 'Facture/Dépense',
+ 'invoice_pdfs' => 'Facture en PDF',
+ 'enable_sepa' => 'Accepter SEPA',
+ 'enable_bitcoin' => 'Accepter Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Récupérer la licence',
+ 'purchase' => 'Acheter',
+ 'recover' => 'Récupérer',
+ 'apply' => 'Appliquer',
+ 'recover_white_label_header' => 'Récupérer la licence Sans Pub',
+ 'apply_white_label_header' => 'Appliquer la licence Sans Pub',
+ 'videos' => 'Vidéos',
+ 'video' => 'Vidéo',
+ 'return_to_invoice' => 'Retour à la facture',
+ 'gateway_help_13' => 'Pour utiliser ITN, laissez le champ de la clé PDT vide.',
+ 'partial_due_date' => 'Date d\'échéance paiement partiel',
+ 'task_fields' => 'Champs de tâche',
+ 'product_fields_help' => 'Glisser et déposer les champs pour changer l\'ordre',
+ 'custom_value1' => 'Valeur par défaut',
+ 'custom_value2' => 'Valeur par défaut',
+ 'enable_two_factor' => 'Authentification à deux facteurs',
+ 'enable_two_factor_help' => 'Utilisez votre téléphone pour confirmer votre identité lors de la connexion',
+ 'two_factor_setup' => 'Configuration de l\'authentification à deux facteurs',
+ '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.',
+ 'add_product' => 'Ajouter un produit',
+ 'email_will_be_sent_on' => 'Note: le courriel sera envoyé le :date.',
+ 'invoice_product' => 'Produit de facture',
+ 'self_host_login' => 'Nom d\'utilisateur auto-hébergement',
+ 'set_self_hoat_url' => 'URL auto-hébergement',
+ 'local_storage_required' => 'Erreur: le stockage local n\'est pas accessible.',
+ 'your_password_reset_link' => 'Remise à zéro votre mot de passe',
+ 'subdomain_taken' => 'Ce sous-domaine est déjà utilisé',
+ 'client_login' => 'Connexion client',
+ 'converted_amount' => 'Montant converti',
+ 'default' => 'Par défaut',
+ 'shipping_address' => 'Adresse de livraison',
+ 'bllling_address' => 'Adresse de facturation',
+ 'billing_address1' => 'Rue de facturation',
+ 'billing_address2' => 'App. de facturation',
+ 'billing_city' => 'Ville de facturation',
+ 'billing_state' => 'Province de facturation',
+ 'billing_postal_code' => 'Code postal de facturation',
+ 'billing_country' => 'Pays de facturation',
+ 'shipping_address1' => 'Rue de livraison',
+ 'shipping_address2' => 'App. de livraison',
+ 'shipping_city' => 'Ville de livraison',
+ 'shipping_state' => 'Province de livraison',
+ 'shipping_postal_code' => 'Code postal de livraison',
+ 'shipping_country' => 'Pays de livraison',
+ 'classify' => 'Classer',
+ 'show_shipping_address_help' => 'Le client doit fournir une adresse de livraison',
+ 'ship_to_billing_address' => 'Livrer à l\'adresse de facturation',
+ 'delivery_note' => 'Note de livraison',
+ 'show_tasks_in_portal' => 'Afficher les tâches dans le portail client',
+ '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é',
+ 'deleted_scheduled_report' => 'Le rapport 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',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accepter Apple Pay et payer avec Google',
+ 'requires_subdomain' => 'Ce type de paiement nécessite un :link.',
+ 'subdomain_is_set' => 'ce sous-domaine est défini',
+ 'verification_file' => 'Fichier de vérification',
+ 'verification_file_missing' => 'Le fichier de vérification est nécessaire pour accepter les paiements.',
+ 'apple_pay_domain' => 'Utiliser :domain
pour le domaine dans :link.',
+ 'apple_pay_not_supported' => 'Désolé, Appel/Google Pay n\'est pas supporté par votre navigateur',
+ 'optional_payment_methods' => 'Méthodes de paiements optionnels',
+ 'add_subscription' => 'Ajouter un abonnement',
+ 'target_url' => 'Cible',
+ 'target_url_help' => 'Lorsque l\'événement sélectionné advient, l\'app va l\'envoyer à l\'URL spécifiée.',
+ 'event' => 'Événement',
+ 'subscription_event_1' => 'Client créé',
+ 'subscription_event_2' => 'Facture créée',
+ 'subscription_event_3' => 'Soumission créée',
+ 'subscription_event_4' => 'Paiement créé',
+ 'subscription_event_5' => 'Fournisseur créé',
+ 'subscription_event_6' => 'Soumission mise à jour',
+ 'subscription_event_7' => 'Soumission supprimée',
+ 'subscription_event_8' => 'Facture mise à jour',
+ 'subscription_event_9' => 'Facture supprimée',
+ 'subscription_event_10' => 'Client mis à jour',
+ 'subscription_event_11' => 'Client supprimé',
+ 'subscription_event_12' => 'Paiement supprimé',
+ 'subscription_event_13' => 'Fournisseur mis à jour',
+ 'subscription_event_14' => 'Fournisseur supprimé',
+ 'subscription_event_15' => 'Dépense créée',
+ 'subscription_event_16' => 'Dépense mise à jour',
+ 'subscription_event_17' => 'Dépense supprimée',
+ 'subscription_event_18' => 'Tâche créée',
+ 'subscription_event_19' => 'Tâche mise à jour',
+ 'subscription_event_20' => 'Tâche supprimée',
+ 'subscription_event_21' => 'Soumission approuvée',
+ 'subscriptions' => 'Abonnements',
+ 'updated_subscription' => 'Abonnement mise à jour',
+ 'created_subscription' => 'Abonnement créé',
+ 'edit_subscription' => 'Éditer l\'abonnement',
+ 'archive_subscription' => 'Archiver l\'abonnement',
+ 'archived_subscription' => 'Abonnement 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',
+ 'module_credit' => 'Crédits',
+ 'module_quote' => 'Soumission et propositions',
+ 'module_task' => 'Tâches et projets',
+ 'module_expense' => 'Dépenses et fournisseurs',
+ 'reminders' => 'Rappels',
+ 'send_client_reminders' => 'Envoyer des rappels par courriel',
+ 'can_view_tasks' => 'Les tâches sont visibles sur le portail',
+ 'is_not_sent_reminders' => 'Les rappels ne sont pas envoyés',
+ 'promotion_footer' => 'Votre promotion va arriver à échéance bientôt, :link pour mettre à jour.',
+ 'unable_to_delete_primary' => 'Note: vous devez supprimer toutes les entreprises liées avant de supprimer cette entreprises.',
+ 'please_register' => 'Veuillez vous inscrire',
+ 'processing_request' => 'Requête en cours',
+ 'mcrypt_warning' => 'Avertissement: Mcrypt est obsolète, exécutez :command popur mettre à jour le chiffrement.',
+ 'edit_times' => 'Éditer les temps',
+ 'inclusive_taxes_help' => 'Inclure les taxes dans le coût',
+ 'inclusive_taxes_notice' => 'Ce paramètre ne peut pas être changé lorsqu\'une facture a été créée.',
+ 'inclusive_taxes_warning' => 'Avertissement: les factures existantes devront être sauvegardées à nouveau',
+ 'copy_shipping' => 'Copier livraison',
+ 'copy_billing' => 'Copier facturation',
+ 'quote_has_expired' => 'La soumission est expirée. Veuillez contacter le commerçant.',
+ 'empty_table_footer' => '0 entrées sur 0',
+ 'do_not_trust' => 'Ne pas ce souvenir de cet appaeil',
+ 'trust_for_30_days' => 'Faire confiance pour 30 jours',
+ 'trust_forever' => 'Toujours faire confiance',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'En retard',
+ 'ready_to_do' => 'Prêt à exécuter',
+ 'in_progress' => 'En cours',
+ 'add_status' => 'Ajouter un statut',
+ 'archive_status' => 'Archiver le statut',
+ 'new_status' => 'Nouveau statut',
+ 'convert_products' => 'Convertir les produits',
+ 'convert_products_help' => 'Convertir automatiquement le prix des produits dans la devise du client',
+ 'improve_client_portal_link' => 'Définit un sous-domaine pour raccourcir le lie du portail client.',
+ 'budgeted_hours' => 'Heures budgétées',
+ 'progress' => 'Avancement',
+ 'view_project' => 'Visualiser le projet',
+ 'summary' => 'Sommaire',
+ 'endless_reminder' => 'Rappel perpétuel',
+ 'signature_on_invoice_help' => 'Ajoutez le code suivant pour afficher la signature du client sur le PDF.',
+ 'signature_on_pdf' => 'Afficher sur le PDF',
+ 'signature_on_pdf_help' => 'Afficher la signature du client sur la facture/soumission PDF.',
+ 'expired_white_label' => 'La licence sans pub a expirée',
+ 'return_to_login' => 'Retour à la connexion',
+ 'convert_products_tip' => 'Note: ajouter un :link intitulé ":name" pour voir le taux de change.',
+ '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',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Montant de taxe',
+ 'tax_paid' => 'Taxe payée',
+ 'none' => 'Aucun',
+ 'proposal_message_button' => 'Pour visualiser votre proposition pour :amount, cliquez le bouton ci-dessous.',
+ 'proposal' => 'Proposition',
+ 'proposals' => 'Propositions',
+ 'list_proposals' => 'Liste des propositions',
+ 'new_proposal' => 'Nouvelle proposition',
+ 'edit_proposal' => 'Éditer la proposition',
+ 'archive_proposal' => 'Archiver la proposition',
+ 'delete_proposal' => 'Supprimer la proposition',
+ '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é ',
+ 'archived_proposals' => ':count propositions archivées',
+ 'deleted_proposals' => ':count propositions archivées',
+ 'restored_proposal' => 'La proposition a été restaurée',
+ 'restore_proposal' => 'Restaurer la proposition',
+ 'snippet' => 'Fragment',
+ 'snippets' => 'Fragments',
+ 'proposal_snippet' => 'Fragment',
+ 'proposal_snippets' => 'Fragments',
+ 'new_proposal_snippet' => 'Nouveau fragment',
+ '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éé',
+ '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 archivés',
+ 'deleted_proposal_snippets' => ':count fragments archivés',
+ 'restored_proposal_snippet' => 'Le fragment a été restauré',
+ 'restore_proposal_snippet' => 'Restaurer le fragment',
+ 'template' => 'Modèle',
+ 'templates' => 'Modèles',
+ 'proposal_template' => 'Modèle',
+ 'proposal_templates' => 'Modèles',
+ 'new_proposal_template' => 'Nouveau modèle',
+ '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éé',
+ '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 archivés',
+ 'deleted_proposal_templates' => ':count modèles 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',
+ 'new_proposal_category' => 'Nouvelle catégorie',
+ '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',
+ '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 archivées',
+ 'deleted_proposal_categories' => ':count catégories archivées',
+ 'restored_proposal_category' => 'La catégorie a été restaurée',
+ 'restore_proposal_category' => 'Restaurer la catégorie',
+ 'delete_status' => 'État de suppression',
+ 'standard' => 'Standard',
+ 'icon' => 'Icône',
+ 'proposal_not_found' => 'La proposition demandée n\'est pas accessible',
+ 'create_proposal_category' => 'Créer une catégorie',
+ 'clone_proposal_template' => 'Cloner un modèle',
+ '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',
+ 'load_template' => 'Charger le modèle',
+ 'no_assets' => 'Aucune image, déplacer une image pour la téléverser',
+ 'add_image' => 'Ajouter une image',
+ 'select_image' => 'Sélectionner une image',
+ 'upgrade_to_upload_images' => 'Passer au plan Entreprise pour charger des images',
+ 'delete_image' => 'Supprimer une image',
+ 'delete_image_help' => 'Avertissement: la suppression de cette image va la supprimer de toutes les propositions.',
+ 'amount_variable_help' => 'Note: le champ $amount de la facture utilisera le champ partiel/dépôt. Il utilisera le solde de la facture, si spécifié autrement.',
+ 'taxes_are_included_help' => 'Note : Les taxes inclusives ont été activées.',
+ 'taxes_are_not_included_help' => 'Note : Les taxes inclusives n\'ont pas été activées.',
+ 'change_requires_purge' => 'Pour modifier ce paramètre, il faut accéder aux données du compte :link',
+ 'purging' => 'Purge en cours',
+ 'warning_local_refund' => 'Le remboursement sera enregistré dans l\'application, mais NE SERA PAS traité par la passerelle de paiement.',
+ 'email_address_changed' => 'L\'adresse courriel a été modifiée',
+ 'email_address_changed_message' => 'L\'adresse courriel associée à votre compte a été modifiée de :old_email à :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'L\'exportation vers ZIP requiert l\'extension GMP',
+ 'email_history' => 'Historique des courriels',
+ 'loading' => 'Chargement',
+ 'no_messages_found' => 'Aucun message',
+ 'processing' => 'En cours',
+ 'reactivate' => 'Réactiver',
+ 'reactivated_email' => 'L\'adresse courriel a été réactivée',
+ 'emails' => 'Courriels',
+ 'opened' => 'Ouverts',
+ 'bounced' => 'Rejetés',
+ 'total_sent' => 'Total envoyés',
+ 'total_opened' => 'Total ouverts',
+ 'total_bounced' => 'Total rejetés',
+ 'total_spam' => 'Total spams',
+ 'platforms' => 'Plateformes',
+ 'email_clients' => 'Gestionnaires de courriels',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Fixe',
+ 'webmail' => 'Webmail',
+ 'group' => 'Groupe',
+ 'subgroup' => 'Sous-groupe',
+ 'unset' => 'Désactivation',
+ 'received_new_payment' => 'Vous avez reçu un nouveau paiement !',
+ 'slack_webhook_help' => 'Recevoir les notifications de paiement en utilisant :link.',
+ 'slack_incoming_webhooks' => 'Crochets web entrants de Slack',
+ 'accept' => 'Accepter',
+ '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',
+ 'auto_email_invoice_help' => 'Envoi automatiquement les factures récurrentes lorsqu\'elles sont créées.',
+ 'auto_archive_invoice' => 'Autoarchivage',
+ 'auto_archive_invoice_help' => 'Archive automatiquement les soumissions lorsqu\'elles sont converties.',
+ 'auto_archive_quote' => 'Autoarchivage',
+ 'auto_archive_quote_help' => 'Archive automatiquement les soumissions lorsqu\'elles sont converties.',
+ 'allow_approve_expired_quote' => 'Autoriser l\'approbation de soumissions expirées',
+ 'allow_approve_expired_quote_help' => 'Autoriser les clients à approuver les soumissions expirées',
+ 'invoice_workflow' => 'Flux de facturation',
+ '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é purger',
+ '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',
+ 'send_item_details_help' => 'Envoyer les détails de l\'article à la passerelle de paiement.',
+ 'view_proposal' => 'Voir la proposition',
+ 'view_in_portal' => 'Voir dans le portail',
+ 'cookie_message' => 'Ce site web utilise des témoins pour vous offrir la meilleure expérience sur notre site web.',
+ 'got_it' => 'J\'ai compris !',
+ 'vendor_will_create' => 'fournisseur sera créé',
+ 'vendors_will_create' => 'fournisseurs seront créés',
+ 'created_vendors' => ':count fournisseur(s) créé(s)',
+ 'import_vendors' => 'Importer des fournisseurs',
+ 'company' => 'Entreprise',
+ 'client_field' => 'Champ Client',
+ 'contact_field' => 'Champ Contact',
+ 'product_field' => 'Champ Produit',
+ 'task_field' => 'Champ Tâche',
+ 'project_field' => 'Champ Projet',
+ 'expense_field' => 'Champ Dépense',
+ 'vendor_field' => 'Champ Fournisseur',
+ 'company_field' => 'Champ Entreprise',
+ 'invoice_field' => 'Champ Facture',
+ 'invoice_surcharge' => 'Surcharge de facture',
+ 'custom_task_fields_help' => 'Ajouter un champ lors de la création d\'une tâche.',
+ 'custom_project_fields_help' => 'Ajouter un champ lors de la création d\'un projet.',
+ 'custom_expense_fields_help' => 'Ajouter un champ lors de la création d\'une dépense.',
+ 'custom_vendor_fields_help' => 'Ajouter un champ lors de la création d\'un fournisseur.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Facture impayée',
+ 'paid_invoice' => 'Facture payée',
+ 'unapproved_quote' => 'Soumission non approuvée',
+ 'unapproved_proposal' => 'Proposition non approuvée',
+ 'autofills_city_state' => 'Autoremplissage ville/prov',
+ 'no_match_found' => 'Aucun résultat',
+ 'password_strength' => 'Force du mot de passe',
+ 'strength_weak' => 'Faible',
+ 'strength_good' => 'Bon',
+ 'strength_strong' => 'Fort',
+ 'mark' => 'Marquer',
+ 'updated_task_status' => 'État de la tâche mis à jour',
+ 'background_image' => 'Image de fond',
+ 'background_image_help' => 'Utilisé ce :link pour gérer vos images. Nous recommandons l\'utilisation d\'un petit fichier.',
+ 'proposal_editor' => 'éditeur de proposition',
+ 'background' => 'Fond',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Article de frais de passerelle',
+ 'gateway_fee_description' => 'Surcharge de frais de passerelle',
+ 'show_payments' => 'Afficher les paiements',
+ 'show_aging' => 'Afficher les impayés',
+ 'reference' => 'Référence',
+ 'amount_paid' => 'Montant payé',
+ 'send_notifications_for' => 'Envoyer des notifications pour',
+ 'all_invoices' => 'Toutes les factures',
+ 'my_invoices' => 'Mes factures',
+ 'mobile_refresh_warning' => 'Si vous utilisez l\'app mobile, vous devez faire une actualisation complète.',
+ 'enable_proposals_for_background' => 'Pour téléverser une image de fond :link pour activer le module de propositions.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/fr_CA/validation.php b/resources/lang/fr_CA/validation.php
new file mode 100644
index 000000000000..ff2ffb19a377
--- /dev/null
+++ b/resources/lang/fr_CA/validation.php
@@ -0,0 +1,142 @@
+ "Le champ :attribute doit être accepté.",
+ "active_url" => "Le champ :attribute n'est pas une URL valide.",
+ "after" => "Le champ :attribute doit être une date postérieure au :date.",
+ "alpha" => "Le champ :attribute doit seulement contenir des lettres.",
+ "alpha_dash" => "Le champ :attribute doit seulement contenir des lettres, des chiffres et des tirets.",
+ "alpha_num" => "Le champ :attribute doit seulement contenir des chiffres et des lettres.",
+ "array" => "Le champ :attribute doit être un tableau.",
+ "before" => "Le champ :attribute doit être une date antérieure au :date.",
+ "between" => array(
+ "numeric" => "La valeur de :attribute doit être comprise entre :min et :max.",
+ "file" => "Le fichier :attribute doit avoir une taille entre :min et :max kilobytes.",
+ "string" => "Le texte :attribute doit avoir entre :min et :max caractères.",
+ "array" => "Le champ :attribute doit avoir entre :min et :max éléments.",
+ ),
+ "confirmed" => "Le champ de confirmation :attribute ne correspond pas.",
+ "date" => "Le champ :attribute n'est pas une date valide.",
+ "date_format" => "Le champ :attribute ne correspond pas au format :format.",
+ "different" => "Les champs :attribute et :other doivent être différents.",
+ "digits" => "Le champ :attribute doit avoir :digits chiffres.",
+ "digits_between" => "Le champ :attribute doit avoir entre :min and :max chiffres.",
+ "email" => "Le champ :attribute doit être une adresse email valide.",
+ "exists" => "Le champ :attribute sélectionné est invalide.",
+ "image" => "Le champ :attribute doit être une image.",
+ "in" => "Le champ :attribute est invalide.",
+ "integer" => "Le champ :attribute doit être un entier.",
+ "ip" => "Le champ :attribute doit être une adresse IP valide.",
+ "max" => array(
+ "numeric" => "La valeur de :attribute ne peut être supérieure à :max.",
+ "file" => "Le fichier :attribute ne peut être plus gros que :max kilobytes.",
+ "string" => "Le texte de :attribute ne peut contenir plus de :max caractères.",
+ "array" => "Le champ :attribute ne peut avoir plus de :max éléments.",
+ ),
+ "mimes" => "Le champ :attribute doit être un fichier de type : :values.",
+ "min" => array(
+ "numeric" => "La valeur de :attribute doit être supérieure à :min.",
+ "file" => "Le fichier :attribute doit être plus que gros que :min kilobytes.",
+ "string" => "Le texte :attribute doit contenir au moins :min caractères.",
+ "array" => "Le champ :attribute doit avoir au moins :min éléments.",
+ ),
+ "not_in" => "Le champ :attribute sélectionné n'est pas valide.",
+ "numeric" => "Le champ :attribute doit contenir un nombre.",
+ "regex" => "Le format du champ :attribute est invalide.",
+ "required" => "Le champ :attribute est obligatoire.",
+ "required_if" => "Le champ :attribute est obligatoire quand la valeur de :other est :value.",
+ "required_with" => "Le champ :attribute est obligatoire quand :values est présent.",
+ "required_with_all" => "Le champ :attribute est obligatoire quand :values est présent.",
+ "required_without" => "Le champ :attribute est obligatoire quand :values n'est pas présent.",
+ "required_without_all" => "Le champ :attribute est requis quand aucun de :values n'est présent.",
+ "same" => "Les champs :attribute et :other doivent être identiques.",
+ "size" => array(
+ "numeric" => "La valeur de :attribute doit être :size.",
+ "file" => "La taille du fichier de :attribute doit être de :size kilobytes.",
+ "string" => "Le texte de :attribute doit contenir :size caractères.",
+ "array" => "Le champ :attribute doit contenir :size éléments.",
+ ),
+ "unique" => "La valeur du champ :attribute est déjà utilisée.",
+ "url" => "Le format de l'URL de :attribute n'est pas valide.",
+
+ "positive" => ":attribute doit être supérieur à zero.",
+ "has_credit" => "Le client n'a pas un crédit suffisant.",
+ "notmasked" => "Les valeurs sont masquées",
+ "less_than" => 'The :attribute must be less than :value',
+ "has_counter" => 'The value must contain {$counter}',
+ "valid_contacts" => "All of the contacts must have either an email or name",
+ "valid_invoice_items" => "The invoice exceeds the maximum amount",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(
+ 'attribute-name' => array(
+ 'rule-name' => 'custom-message',
+ ),
+ ),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(
+ "name" => "Nom",
+ "username" => "Pseudo",
+ "email" => "Courriel",
+ "first_name" => "Prénom",
+ "last_name" => "Nom",
+ "password" => "Mot de passe",
+ "password_confirmation" => "Confirmation du mot de passe",
+ "city" => "Ville",
+ "country" => "Pays",
+ "address" => "Adresse",
+ "phone" => "Téléphone",
+ "mobile" => "Mobile",
+ "age" => "Âge",
+ "sex" => "Sexe",
+ "gender" => "Genre",
+ "day" => "Jour",
+ "month" => "Mois",
+ "year" => "Année",
+ "hour" => "Heure",
+ "minute" => "Minute",
+ "second" => "Seconde",
+ "title" => "Titre",
+ "content" => "Contenu",
+ "description" => "Description",
+ "excerpt" => "Extrait",
+ "date" => "Date",
+ "time" => "Heure",
+ "available" => "Disponible",
+ "size" => "Taille",
+ ),
+
+);
diff --git a/resources/lang/hr/auth.php b/resources/lang/hr/auth.php
new file mode 100644
index 000000000000..2142a42f941d
--- /dev/null
+++ b/resources/lang/hr/auth.php
@@ -0,0 +1,19 @@
+ 'Ovi podaci ne odgovaraju našima.',
+ 'throttle' => 'Previše pokušaja prijave. Molim Vas pokušajte ponovno za :seconds sekundi.',
+
+];
diff --git a/resources/lang/hr/pagination.php b/resources/lang/hr/pagination.php
new file mode 100644
index 000000000000..e0bed173dadf
--- /dev/null
+++ b/resources/lang/hr/pagination.php
@@ -0,0 +1,19 @@
+ '« Prethodna',
+ 'next' => 'Sljedeća »',
+
+];
diff --git a/resources/lang/hr/passwords.php b/resources/lang/hr/passwords.php
new file mode 100644
index 000000000000..59f39af3fe05
--- /dev/null
+++ b/resources/lang/hr/passwords.php
@@ -0,0 +1,22 @@
+ 'Lozinke moraju biti duge barem 6 znakova i moraju odgovarati potvrdi.',
+ 'reset' => 'Lozinka je postavljena!',
+ 'sent' => 'Poveznica za ponovono postavljanje lozinke je poslana!',
+ 'token' => 'Oznaka za ponovno postavljanje lozinke više nije važeća.',
+ 'user' => 'Korisnik nije pronađen.',
+
+];
diff --git a/resources/lang/hr/texts.php b/resources/lang/hr/texts.php
new file mode 100644
index 000000000000..c4ec3856300f
--- /dev/null
+++ b/resources/lang/hr/texts.php
@@ -0,0 +1,2873 @@
+ 'Organizacija',
+ 'name' => 'Ime',
+ 'website' => 'Web mjesto',
+ 'work_phone' => 'Telefon',
+ 'address' => 'Adresa',
+ 'address1' => 'Ulica',
+ 'address2' => 'Kat/soba',
+ 'city' => 'Grad',
+ 'state' => 'Županija',
+ 'postal_code' => 'Poštanski broj',
+ 'country_id' => 'Zemlja',
+ 'contacts' => 'Kontakti',
+ 'first_name' => 'Ime',
+ 'last_name' => 'Prezime',
+ 'phone' => 'Telefon',
+ 'email' => 'E-pošta',
+ 'additional_info' => 'Dodatne informacije',
+ 'payment_terms' => 'Uvjeti plaćanja',
+ 'currency_id' => 'Valuta',
+ 'size_id' => 'Veličina poduzeća',
+ 'industry_id' => 'Djelatnost',
+ 'private_notes' => 'Privatne bilješke',
+ 'invoice' => 'Račun',
+ 'client' => 'Klijent',
+ 'invoice_date' => 'Datum računa',
+ 'due_date' => 'Datum dospijeća',
+ 'invoice_number' => 'Broj računa',
+ 'invoice_number_short' => 'Račun #',
+ 'po_number' => 'Broj narudžbe',
+ 'po_number_short' => 'NN #',
+ 'frequency_id' => 'Koliko često',
+ 'discount' => 'Popust',
+ 'taxes' => 'Porezi',
+ 'tax' => 'Porez',
+ 'item' => 'Stavka',
+ 'description' => 'Opis',
+ 'unit_cost' => 'Jedinična cijena',
+ 'quantity' => 'Količina',
+ 'line_total' => 'Ukupno',
+ 'subtotal' => 'Sveukupno',
+ 'paid_to_date' => 'Plaćeno na vrijeme',
+ 'balance_due' => 'Stanje duga',
+ 'invoice_design_id' => 'Dizajn',
+ 'terms' => 'Uvjeti',
+ 'your_invoice' => 'Vaš račun',
+ 'remove_contact' => 'Ukloni kontakt',
+ 'add_contact' => 'Dodaj kontakt',
+ 'create_new_client' => 'Kreiraj novog klijenta',
+ 'edit_client_details' => 'Uredi detalje klijenta',
+ 'enable' => 'Omogući',
+ 'learn_more' => 'Više informacija',
+ 'manage_rates' => 'Upravljanje ratam',
+ 'note_to_client' => 'Bilješka klijentu',
+ 'invoice_terms' => 'Uvjeti računa',
+ 'save_as_default_terms' => 'Pohrani kao zadane uvjete',
+ 'download_pdf' => 'Preuzmi PDF',
+ 'pay_now' => 'Plati odmah',
+ 'save_invoice' => 'Pohrani račun',
+ 'clone_invoice' => 'Kopiraj u račun',
+ 'archive_invoice' => 'Arhiviraj račun',
+ 'delete_invoice' => 'Obriši račun',
+ 'email_invoice' => 'Pošalji e-poštom',
+ 'enter_payment' => 'Unesi uplatu',
+ 'tax_rates' => 'Porezne stope',
+ 'rate' => 'Stopa',
+ 'settings' => 'Postavke',
+ 'enable_invoice_tax' => 'Omogući specificiranje poreza na računu',
+ 'enable_line_item_tax' => 'Omogući specifikaciju poreza na stavci',
+ 'dashboard' => 'Kontrolna ploča',
+ 'clients' => 'Klijenti',
+ 'invoices' => 'Računi',
+ 'payments' => 'Uplate',
+ 'credits' => 'Krediti',
+ 'history' => 'Povijest',
+ 'search' => 'Pretraga',
+ 'sign_up' => 'Prijava',
+ 'guest' => 'Gost',
+ 'company_details' => 'Detalji poduzeća',
+ 'online_payments' => 'Online uplate',
+ 'notifications' => 'Obavijesti',
+ 'import_export' => 'Uvoz | Izvoz',
+ 'done' => 'Dovršeno',
+ 'save' => 'Pohrani',
+ 'create' => 'Kreiraj',
+ 'upload' => 'Otpremi',
+ 'import' => 'Uvoz',
+ 'download' => 'Preuzmi',
+ 'cancel' => 'Odustani',
+ 'close' => 'Zatvori',
+ 'provide_email' => 'Molim, osigurajte ispravnu adresu e-pošte',
+ 'powered_by' => 'Powered by',
+ 'no_items' => 'Nema stavki',
+ 'recurring_invoices' => 'Redovni računi',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'ukupni prihod',
+ 'billed_client' => 'fakturirani klijent',
+ 'billed_clients' => 'fakturairani klijenti',
+ 'active_client' => 'aktivni klijent',
+ 'active_clients' => 'aktivni klijenti',
+ 'invoices_past_due' => 'Računi van valute',
+ 'upcoming_invoices' => 'Dolazni računi',
+ 'average_invoice' => 'Prosječni račun',
+ 'archive' => 'Arhiva',
+ 'delete' => 'Obriši',
+ 'archive_client' => 'Arhiviraj klijenta',
+ 'delete_client' => 'Obriši klijenta',
+ 'archive_payment' => 'Arhiviraj uplatu',
+ 'delete_payment' => 'Obriši uplatu',
+ 'archive_credit' => 'Arhiviraj kredit',
+ 'delete_credit' => 'Obriši kredit',
+ 'show_archived_deleted' => 'Prikaži arhivirano/obrisano',
+ 'filter' => 'Filter',
+ 'new_client' => 'Novi klijent',
+ 'new_invoice' => 'Novi račun',
+ 'new_payment' => 'Unesi uplatu',
+ 'new_credit' => 'Dodaj kredit',
+ 'contact' => 'Kontakt',
+ 'date_created' => 'Datum kreiranja',
+ 'last_login' => 'Zadnja prijava',
+ 'balance' => 'Potraživanje',
+ 'action' => 'Akcija',
+ 'status' => 'Status',
+ 'invoice_total' => 'Račun sveukupno',
+ 'frequency' => 'Frekvencija',
+ 'start_date' => 'Početni datum',
+ 'end_date' => 'Završni datum',
+ 'transaction_reference' => 'Referenca transakcije',
+ 'method' => 'Metoda',
+ 'payment_amount' => 'Iznos uplate',
+ 'payment_date' => 'Datum uplate',
+ 'credit_amount' => 'Iznos kredita',
+ 'credit_balance' => 'Stanje kredita',
+ 'credit_date' => 'Datum kredita',
+ 'empty_table' => 'Nema dostupnih podataka u tablici',
+ 'select' => 'Odaberi',
+ 'edit_client' => 'Uredi klijenta',
+ 'edit_invoice' => 'Uredi račun',
+ 'create_invoice' => 'Kreiraj račun',
+ 'enter_credit' => 'Unesi kredit',
+ 'last_logged_in' => 'Zadnja prijava na',
+ 'details' => 'Detalji',
+ 'standing' => 'Stanje',
+ 'credit' => 'Kredit',
+ 'activity' => 'Aktivnost',
+ 'date' => 'Datum',
+ 'message' => 'Poruka',
+ 'adjustment' => 'Prilagodba',
+ 'are_you_sure' => 'Da li ste sigurni?',
+ 'payment_type_id' => 'Tip uplate',
+ 'amount' => 'Iznos',
+ 'work_email' => 'E-pošta',
+ 'language_id' => 'Jezik',
+ 'timezone_id' => 'Vremnska zona',
+ 'date_format_id' => 'Format datuma',
+ 'datetime_format_id' => 'Datum/Vrijeme format',
+ 'users' => 'Korisnici',
+ 'localization' => 'Lokalizacija',
+ 'remove_logo' => 'Ukloni logo',
+ 'logo_help' => 'Podržano: JPEG, GIF i PNG',
+ 'payment_gateway' => 'Usmjernik naplate',
+ 'gateway_id' => 'Usmjernik',
+ 'email_notifications' => 'Obavijesti e-poštom',
+ 'email_sent' => 'Obavijesti me e-poštom kada je račun poslan',
+ 'email_viewed' => 'Obavijesti me e-poštom kada je račun pregledan',
+ 'email_paid' => 'Obavijest me e-poštom kada je račun plaćen',
+ 'site_updates' => 'Ažuriranja',
+ 'custom_messages' => 'Prilagođene poruke',
+ 'default_email_footer' => 'Postavi zadani potpis e-pošte',
+ 'select_file' => 'Molim odaberite datoteku',
+ 'first_row_headers' => 'Koristi prvi redak kao naslovni',
+ 'column' => 'Kolona',
+ 'sample' => 'Uzorak',
+ 'import_to' => 'Uvezi u',
+ 'client_will_create' => 'klijent će biti kreiran',
+ 'clients_will_create' => 'klijenti će biti kreirani',
+ 'email_settings' => 'Postavke e-pošte',
+ 'client_view_styling' => 'Stil pregleda klijenta',
+ 'pdf_email_attachment' => 'Priloži račun',
+ 'custom_css' => 'Prilagođeni CSS',
+ 'import_clients' => 'Uvezi podatke klijenta',
+ 'csv_file' => 'CSV datoteka',
+ 'export_clients' => 'Izvezi podatke klijenta',
+ 'created_client' => 'Klijent je uspješno kreiran',
+ 'created_clients' => 'Uspješno kreirano :count kijenata',
+ 'updated_settings' => 'Postavke su uspješno ažurirane',
+ 'removed_logo' => 'Logo je uspješno uklonjen',
+ 'sent_message' => 'Poruka je uspješno poslana',
+ 'invoice_error' => 'Molimo provjerite da odaberete klijenta i korigirate greške',
+ 'limit_clients' => 'Nažalost, ovime ćete preći limit od :count klijenata',
+ 'payment_error' => 'Došlo je do greške pri procesuiranju vaše uplate. Molimo pokušajte kasnije.',
+ 'registration_required' => 'Molimo prijavite se prije slanja računa e-poštom',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Uspješno ažuriranje klijenta',
+ 'created_client' => 'Klijent je uspješno kreiran',
+ 'archived_client' => 'Uspješno arhiviran klijent',
+ 'archived_clients' => 'Uspješno arhivirano :count klijenata',
+ 'deleted_client' => 'Uspješno obrisan klijent',
+ 'deleted_clients' => 'Uspješno obrisano :count klijenata',
+ 'updated_invoice' => 'Uspješno ažuriran račun',
+ 'created_invoice' => 'Uspješno kreiran račun',
+ 'cloned_invoice' => 'Uspješno kloniran račun',
+ 'emailed_invoice' => 'Račun uspješno poslan e-poštom',
+ 'and_created_client' => 'i kreiran račun',
+ 'archived_invoice' => 'Uspješno arhiviran račun',
+ 'archived_invoices' => 'Uspješno arhivirano :count računa',
+ 'deleted_invoice' => 'Uspješno obrisan račun',
+ 'deleted_invoices' => 'Uspješno obrisano :count računa',
+ 'created_payment' => 'Uspješno kreirana uplata',
+ 'created_payments' => 'Uspješno kreirano :count uplata',
+ 'archived_payment' => 'Uspješno arhivirana uplata',
+ 'archived_payments' => 'Uspješno arhivirana :count uplata',
+ 'deleted_payment' => 'Uspješno obrisana uplata',
+ 'deleted_payments' => 'Uspješno obrisano :count uplata',
+ 'applied_payment' => 'Uspješno primjenjena uplata',
+ 'created_credit' => 'Uspješno kreiran kredit',
+ 'archived_credit' => 'Uspješno arhiviran kredit',
+ 'archived_credits' => 'Uspješno arhivirano :count kredita',
+ 'deleted_credit' => 'Uspješno obrisan kredit',
+ 'deleted_credits' => 'Uspješno obrisano :count kredita',
+ 'imported_file' => 'Uspješno uvezena datoteka',
+ 'updated_vendor' => 'Uspješno ažuriran dobavljač',
+ 'created_vendor' => 'Uspješno kreiran dobavljač',
+ 'archived_vendor' => 'Uspješno arhiviran dobavljač',
+ 'archived_vendors' => 'Uspješno arhivirano :count dobavljača',
+ 'deleted_vendor' => 'Uspješno obrisan dobavljač',
+ 'deleted_vendors' => 'Uspješno obrisano :count dobavljača',
+ 'confirmation_subject' => 'Invoice Ninja odobravanje računa',
+ 'confirmation_header' => 'Odobrenje računa',
+ 'confirmation_message' => 'Molimo pristupite donjom poveznicom za odobrenje vašeg računa.',
+ 'invoice_subject' => 'Novi račun :number od :account',
+ 'invoice_message' => 'Za pregled vašeg računa na :amount, kliknite donju poveznicu.',
+ 'payment_subject' => 'Primljena uplata',
+ 'payment_message' => 'Hvala vam na vašoj uplati od :amount.',
+ 'email_salutation' => 'Poštovani/a :name,',
+ 'email_signature' => 'Srdačno,',
+ 'email_from' => 'Invoice Ninja tim',
+ 'invoice_link_message' => 'Za pregled računa kliknite na donju poveznicu:',
+ 'notification_invoice_paid_subject' => ':client je platio račun :invoice',
+ 'notification_invoice_sent_subject' => 'Račun :invoice je poslan :client',
+ 'notification_invoice_viewed_subject' => ':client je pregledao račun :invoice',
+ 'notification_invoice_paid' => 'Uplata u iznosu :amount je izvršena od strane :client prema računu :invoice.',
+ 'notification_invoice_sent' => 'Slijedećem klijentu :client je poslan e-poštom račun :invoice na iznos :amount.',
+ 'notification_invoice_viewed' => 'Slijedeći klijent :client je pregledao račun :invoice na iznos :amount.',
+ 'reset_password' => 'Možete resetirati zaporku za pristup svom računu klikom na tipku:',
+ 'secure_payment' => 'Sigurna uplata',
+ 'card_number' => 'Broj kartice',
+ 'expiration_month' => 'Mjesec isteka',
+ 'expiration_year' => 'Godina isteka',
+ 'cvv' => 'CVV',
+ 'logout' => 'Odjava',
+ 'sign_up_to_save' => 'Prijavite se kako bi pohranili učinjeno',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Uvjeti korištenja usluge',
+ 'email_taken' => 'Ova adresa e-pošte je već registrirana',
+ 'working' => 'Rad u tijeku',
+ 'success' => 'Uspjeh',
+ 'success_message' => 'Uspješno ste se registrirali! Molimo kliknite na poveznicu za potvrdu računa dobivenu e-poštom kako bi verificirali svoju adresu e-pošte.',
+ 'erase_data' => 'Vaš račun više neće biti registriran, ovo će izbrisati sve vaše podatke.',
+ 'password' => 'Zaporka',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'Hvala vam na odabiru Invoice Ninja Pro plana!
+ Slijedeći koraciRačun je poslan na adresu e-pošte povezanu
+ sa vašim korisničkim računom. Za otključavanje svih naprednih
+ Pro mogućnosti, molimo pratite upute za plaćanje godišnje pretplate
+ za Invoice Ninja Pro plan.
+ Ne možete naći račun? Trebate dodatnu pomoć? Sa zadovoljstvom ćemo pomoći
+ -- pošaljite nam e-poštu na contact@invoiceninja.com',
+ 'unsaved_changes' => 'Imate nepohranjenih promjena',
+ 'custom_fields' => 'Prilagođena polja',
+ 'company_fields' => 'Polja poduzeća',
+ 'client_fields' => 'Polja klijenta',
+ 'field_label' => 'Oznaka polja',
+ 'field_value' => 'Vrijednost polja',
+ 'edit' => 'Uredi',
+ 'set_name' => 'Postavite ime poduzeća',
+ 'view_as_recipient' => 'Pregledajte kao primatelj',
+ 'product_library' => 'Registar proizvoda',
+ 'product' => 'Proizvod',
+ 'products' => 'Proizvodi',
+ 'fill_products' => 'Proizvodi sa samoispunom',
+ 'fill_products_help' => 'Odabir proizvoda će automatski ispuniti opis i cijenu',
+ 'update_products' => 'Proizvidi sa autoažuriranjem',
+ 'update_products_help' => 'Ažuriranje računa automatski ažurirati registar proizvoda',
+ 'create_product' => 'Dodaj proizvod',
+ 'edit_product' => 'Uredi proizvod',
+ 'archive_product' => 'Arhiviraj proizvod',
+ 'updated_product' => 'Proizvod je uspješno ažuriran',
+ 'created_product' => 'Proizvod je uspješno kreiran',
+ 'archived_product' => 'Proizvod je uspješno arhiviran',
+ 'pro_plan_custom_fields' => ':link za omogućavanje prilagođenih polja aktivacijom Pro plana',
+ 'advanced_settings' => 'Napredne postavke',
+ 'pro_plan_advanced_settings' => ':link za omogućavanje naprednih postavki aktivacijom Pro plana',
+ 'invoice_design' => 'Dizajn računa',
+ 'specify_colors' => 'Odabir boja',
+ 'specify_colors_label' => 'Odaberite boje korištenje u računu',
+ 'chart_builder' => 'Graditelj karte',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Go Pro',
+ 'quote' => 'Ponuda',
+ 'quotes' => 'Ponude',
+ 'quote_number' => 'Broj ponude',
+ 'quote_number_short' => 'Ponuda #',
+ 'quote_date' => 'Datum ponude',
+ 'quote_total' => 'Ponuda sveukupno',
+ 'your_quote' => 'Vaša ponuda',
+ 'total' => 'Sveukupno',
+ 'clone' => 'Kloniraj',
+ 'new_quote' => 'Nova ponuda',
+ 'create_quote' => 'Kreiraj ponudu',
+ 'edit_quote' => 'Uredi ponudu',
+ 'archive_quote' => 'Arhiviraj ponudu',
+ 'delete_quote' => 'Obriši ponudu',
+ 'save_quote' => 'Pohrani ponudu',
+ 'email_quote' => 'Šalji ponudu e-poštom',
+ 'clone_quote' => 'Kopiraj u ponudu',
+ 'convert_to_invoice' => 'Konverzija računa',
+ 'view_invoice' => 'Pregled računa',
+ 'view_client' => 'Pregled klijenta',
+ 'view_quote' => 'Pregled ponude',
+ 'updated_quote' => 'Ponuda je uspješno ažurirana',
+ 'created_quote' => 'Ponuda uspješno kreirana',
+ 'cloned_quote' => 'Ponuda uspješno klonirana',
+ 'emailed_quote' => 'Ponuda uspješno poslana e-poštom',
+ 'archived_quote' => 'Ponuda uspješno arhivirana',
+ 'archived_quotes' => 'Uspješno arhivirano :count ponuda',
+ 'deleted_quote' => 'Ponuda uspješno obrisana',
+ 'deleted_quotes' => 'Uspješno obrisano :count ponuda',
+ 'converted_to_invoice' => 'Ponuda uspješno konvertirana u račun',
+ 'quote_subject' => 'Nova ponuda $quote sa :account',
+ 'quote_message' => 'Za pregled vaše ponude na :amount, kliknite na donju poveznicu.',
+ 'quote_link_message' => 'Za pregled ponude vašeg klijenta kliknite na donju poveznicu:',
+ 'notification_quote_sent_subject' => 'Ponuda :invoice je poslana :client',
+ 'notification_quote_viewed_subject' => 'Ponuda :invoice je pregledana od :client',
+ 'notification_quote_sent' => 'Klijentu :client je e-poštom poslana ponuda :invoice na :amount.',
+ 'notification_quote_viewed' => 'Klijent :client je pregledao ponudu :invoice na :amount.',
+ 'session_expired' => 'Vaša sjednica je istekla.',
+ 'invoice_fields' => 'Polja računa',
+ 'invoice_options' => 'Opcije računa',
+ 'hide_paid_to_date' => 'Sakrij datum plaćanja',
+ 'hide_paid_to_date_help' => 'Prikažite "Datum plaćanja" na računima, onda kada je uplata primljena.',
+ 'charge_taxes' => 'Naplati poreze',
+ 'user_management' => 'Upravljanje korisnicima',
+ 'add_user' => 'Dodaj korisnika',
+ 'send_invite' => 'Pošalji pozivnicu',
+ 'sent_invite' => 'Uspješno poslana pozivnica',
+ 'updated_user' => 'Korisnik je uspješno ažuriran',
+ 'invitation_message' => 'Dobili ste pozivnicu od :invitor.',
+ 'register_to_add_user' => 'Molimo prijavite se za dodavanje korisnika',
+ 'user_state' => 'Stanje',
+ 'edit_user' => 'Uredi korisnika',
+ 'delete_user' => 'Obriši korisnika',
+ 'active' => 'Aktivan',
+ 'pending' => 'Na čekanju',
+ 'deleted_user' => 'Korisnik je uspješno obrisan',
+ 'confirm_email_invoice' => 'Da li sigurno želite poslati ovaj račun e-poštom?',
+ 'confirm_email_quote' => 'Da li sigurno želite poslati ovu ponudu e-poštom?',
+ 'confirm_recurring_email_invoice' => 'Da li ste sigurni da želite poslati ovaj račun e-poštom?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Izbriši korisnički račun',
+ 'cancel_account_message' => 'Pozor: Ovo će trajno obrisati sve vaše podatke, nema povratka.',
+ 'go_back' => 'Idi natrag',
+ 'data_visualizations' => 'Vizualizacije podataka',
+ 'sample_data' => 'Prikaz primjernih podataka',
+ 'hide' => 'Sakrij',
+ 'new_version_available' => 'Nova verzija :releases_link je dostupna. Vi koristite v:user_version, a najnovija je v:latest_version',
+ 'invoice_settings' => 'Postavke računa',
+ 'invoice_number_prefix' => 'Prefiks broja računa',
+ 'invoice_number_counter' => 'Brojač računa',
+ 'quote_number_prefix' => 'Prefiks broja ponude',
+ 'quote_number_counter' => 'Brojač ponuda',
+ 'share_invoice_counter' => 'Dijeljeni brojač računa',
+ 'invoice_issued_to' => 'Račun izdan',
+ 'invalid_counter' => 'Za izbjegavanje mogućih konflikata molimo postavite prefiks na broju računa i ponude',
+ 'mark_sent' => 'Označi kao poslano',
+ 'gateway_help_1' => ':link za pristup na Authorize.net.',
+ 'gateway_help_2' => ':link za pristup na Authorize.net.',
+ 'gateway_help_17' => ':link za pristup vašem PayPal API potpisu.',
+ 'gateway_help_27' => ':link to sign up for 2Checkout.com. To ensure payments are tracked set :complete_link as the redirect URL under Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'Više dizajna',
+ 'more_designs_title' => 'Dodatni dizajni računa',
+ 'more_designs_cloud_header' => 'Nadogradite na Pro za više dizajna računa',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Kupi',
+ 'bought_designs' => 'Uspješno nadodani dizajni računa',
+ 'sent' => 'Poslano',
+ 'vat_number' => 'OIB',
+ 'timesheets' => 'Vremenik',
+ 'payment_title' => 'Unesite svoju adresu računa i informacije kreditne kartice',
+ 'payment_cvv' => '*Ovo je 3-4 znamenkasti broj na poleđini vaše kartice',
+ 'payment_footer1' => '*Adresa računa mora se poklapati s adresom na kreditnoj kartici.',
+ 'payment_footer2' => '*Molimo kliknite "PLATI ODMAH" samo jednom - transakcija može izvoditi i do 1 minute.',
+ 'id_number' => 'ID broj',
+ 'white_label_link' => 'Bijela oznaka',
+ 'white_label_header' => 'Bijela oznaka',
+ 'bought_white_label' => 'Uspješno je omogućena licenca za bijele oznake',
+ 'white_labeled' => 'Označeno bijelom oznakom',
+ 'restore' => 'Obnovi',
+ 'restore_invoice' => 'Obnovi račun',
+ 'restore_quote' => 'Obnovi narudžbu',
+ 'restore_client' => 'Obnovi klijenta',
+ 'restore_credit' => 'Obnovi kredit',
+ 'restore_payment' => 'Obnovi uplatu',
+ 'restored_invoice' => 'Uspješno obnovljen račun',
+ 'restored_quote' => 'Uspješno obnovljena ponuda',
+ 'restored_client' => 'Uspješno obnovljen klijent',
+ 'restored_payment' => 'Uspješno obnovljena uplata',
+ 'restored_credit' => 'Uspješno obnovljen kredit',
+ 'reason_for_canceling' => 'Pomozite nam unaprijediti web mjesto informacijom zašto odlazite.',
+ 'discount_percent' => 'Postotak',
+ 'discount_amount' => 'Iznos',
+ 'invoice_history' => 'Povijest računa',
+ 'quote_history' => 'Povijest ponude',
+ 'current_version' => 'Trenutna verzija',
+ 'select_version' => 'Izaberi inačicu',
+ 'view_history' => 'Pregled povijesti',
+ 'edit_payment' => 'Uredi uplatu',
+ 'updated_payment' => 'Uspješno ažurirana uplata',
+ 'deleted' => 'Obrisano',
+ 'restore_user' => 'Obnovi korisnika',
+ 'restored_user' => 'Uspješno obnovljen korisnik',
+ 'show_deleted_users' => 'Prikaži obrisane korisnike',
+ 'email_templates' => 'Predlošci e-pošte',
+ 'invoice_email' => 'E-pošta računa',
+ 'payment_email' => 'E-pošta uplate',
+ 'quote_email' => 'E-pošta ponude',
+ 'reset_all' => 'Resetiraj sve',
+ 'approve' => 'Odobri',
+ 'token_billing_type_id' => 'Token naplata',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Onemogućeno',
+ 'token_billing_2' => 'Opt-in - odabir je prikazan ali nije selektiran',
+ 'token_billing_3' => 'Opt-out - odabir je prikazan i selektiran',
+ 'token_billing_4' => 'Uvijek',
+ 'token_billing_checkbox' => 'Pohrani detalje kreditne kartice',
+ 'view_in_gateway' => 'View in :gateway',
+ 'use_card_on_file' => 'Use Card on File',
+ 'edit_payment_details' => 'Uredi detalje plaćanja',
+ 'token_billing' => 'Pohrani detalje kartice',
+ 'token_billing_secure' => 'The data is stored securely by :link',
+ 'support' => 'Podrška',
+ 'contact_information' => 'Kontaktne informacije',
+ '256_encryption' => '256-bitna enkripcija',
+ 'amount_due' => 'Dospjeli iznos',
+ 'billing_address' => 'Adresa računa',
+ 'billing_method' => 'Metoda naplate',
+ 'order_overview' => 'Pregled narudžbe',
+ 'match_address' => '*Adresa se mora poklapati s adresom kreditne kartice.',
+ 'click_once' => '*Molimo kliknite "PLATI ODMAH" samo jednom - transakcija može izvoditi i do 1 minute.',
+ 'invoice_footer' => 'Podnožje računa',
+ 'save_as_default_footer' => 'Pohrani kao zadano podnožje',
+ 'token_management' => 'Upravljanje tokenima',
+ 'tokens' => 'Tokeni',
+ 'add_token' => 'Dodaj token',
+ 'show_deleted_tokens' => 'Prikaži obrisane tokene',
+ 'deleted_token' => 'Uspješno obrisan token',
+ 'created_token' => 'Uspješno kreiran token',
+ 'updated_token' => 'Uspješno ažuriran token',
+ 'edit_token' => 'Uredi token',
+ 'delete_token' => 'Obriši token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Dodaj usmjernik',
+ 'delete_gateway' => 'Obriši usmjernik',
+ 'edit_gateway' => 'Uredi usmjernik',
+ 'updated_gateway' => 'Uspješno ažuriran usmjernik',
+ 'created_gateway' => 'Uspješno kreiran usmjernik',
+ 'deleted_gateway' => 'Uspješno obrisan usmjernik',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Kreditna kartica',
+ 'change_password' => 'Promijeni zaporku',
+ 'current_password' => 'Trenutna zaporka',
+ 'new_password' => 'Nova zaporka',
+ 'confirm_password' => 'Potvrdi zaporku',
+ 'password_error_incorrect' => 'Trenutna zaporka nije ispravna.',
+ 'password_error_invalid' => 'Nova zaporka je neispravna.',
+ 'updated_password' => 'Uspješno ažurirana zaporka',
+ 'api_tokens' => 'API tokeni',
+ 'users_and_tokens' => 'Korisnici & tokeni',
+ 'account_login' => 'Korisnička prijava',
+ 'recover_password' => 'Obnovite vašu zaporku',
+ 'forgot_password' => 'Zaboravili ste zaporku?',
+ 'email_address' => 'Adresa e-pošte',
+ 'lets_go' => 'Krenimo',
+ 'password_recovery' => 'Obnova zaporke',
+ 'send_email' => 'Slanje e-pošte',
+ 'set_password' => 'Postava zaporke',
+ 'converted' => 'Konvertirano',
+ 'email_approved' => 'Pošalji mi e-poštu kada je ponuda odobrena',
+ 'notification_quote_approved_subject' => 'Quote :invoice je odobrena od strane :client',
+ 'notification_quote_approved' => 'Slijedeći klijent :client je odobrio ponudu :invoice iznosa :amount.',
+ 'resend_confirmation' => 'Ponovite potvrdnu e-poštu',
+ 'confirmation_resent' => 'E-pošta za potvdu je ponovo poslana',
+ 'gateway_help_42' => ':link za prijavu na BitPay.
Bilješka: koristite tradicionalni API ključ, umjesto API tokena.',
+ 'payment_type_credit_card' => 'Kreditna kartica',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Baza znanja',
+ 'partial' => 'Partial/Deposit',
+ 'partial_remaining' => ':partial od :balance',
+ 'more_fields' => 'Više polja',
+ 'less_fields' => 'Manje polja',
+ 'client_name' => 'Klijent',
+ 'pdf_settings' => 'PDF postavke',
+ 'product_settings' => 'Postavke proizvoda',
+ 'auto_wrap' => 'Auto formatiranje stavke',
+ 'duplicate_post' => 'Pozor: prethodna stranica je poslana dvaput. Drugo slanje će biti ignorirano.',
+ 'view_documentation' => 'Pregled dokumentacije',
+ 'app_title' => 'Slobodno fakturiranje otvorenim kodom.',
+ 'app_description' => 'Invoice Ninja je slobodno rješenje otvorenog koda za fakturiranje i upravljanje klijentima. Pomoću Invoice Ninje možete jednostavno izrađivati i slati kreativne račune sa bilo kojeg uređaja koji ima pristup Internetu. Vaši klijenti mogu ispisivati račune, preuzeti ih kao pdf datoteke i čak vam platiti online unutar istog sustava.',
+ 'rows' => 'redci',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Poddomena',
+ 'provide_name_or_email' => 'Unesite ime ili email',
+ 'charts_and_reports' => 'Karte & Izvješća',
+ 'chart' => 'Karte',
+ 'report' => 'Izvješća',
+ 'group_by' => 'Grupiraj po',
+ 'paid' => 'Plaćeno',
+ 'enable_report' => 'Izvješće',
+ 'enable_chart' => 'Karta',
+ 'totals' => 'Zbrojevi',
+ 'run' => 'Pokreni',
+ 'export' => 'Izvoz',
+ 'documentation' => 'Dokumentacija',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Redovni',
+ 'last_invoice_sent' => 'Zadni račun poslan :date',
+ 'processed_updates' => 'Uspješno dovršeno ažuriranje',
+ 'tasks' => 'Zadaci',
+ 'new_task' => 'Novi zadatak',
+ 'start_time' => 'Početno vrijeme',
+ 'created_task' => 'Uspješno kreiran zadatak',
+ 'updated_task' => 'Uspješno ažuriran zadatak',
+ 'edit_task' => 'Uredi zadatak',
+ 'archive_task' => 'Arhiviraj zadatak',
+ 'restore_task' => 'Obnovi zadatak',
+ 'delete_task' => 'Obriši zadatak',
+ 'stop_task' => 'Završi zadatak',
+ 'time' => 'Vrijeme',
+ 'start' => 'Početak',
+ 'stop' => 'Završetak',
+ 'now' => 'Sada',
+ 'timer' => 'Štoperica',
+ 'manual' => 'Ručno',
+ 'date_and_time' => 'Datum & vrijeme',
+ 'second' => 'sekunda',
+ 'seconds' => 'sekunde',
+ 'minute' => 'minuta',
+ 'minutes' => 'minute',
+ 'hour' => 'sat',
+ 'hours' => 'sati',
+ 'task_details' => 'Detalji zadatka',
+ 'duration' => 'Trajanje',
+ 'end_time' => 'Završno vrijeme',
+ 'end' => 'Kraj',
+ 'invoiced' => 'Fakturirano',
+ 'logged' => 'Logirano',
+ 'running' => 'Pokrenuto',
+ 'task_error_multiple_clients' => 'Zadaci ne mogu pripadati različitim klijentima',
+ 'task_error_running' => 'Molimo najprije dovršite izvođenje zadatka',
+ 'task_error_invoiced' => 'Zadaci su več fakturirani',
+ 'restored_task' => 'Uspješno obnovljen zadatak',
+ 'archived_task' => 'Uspješno arhiviran zadatak',
+ 'archived_tasks' => 'Uspješno arhivirano :count zadataka',
+ 'deleted_task' => 'Uspješno obrisan zadatak',
+ 'deleted_tasks' => 'Uspješno obrisano :count zadataka',
+ 'create_task' => 'Kreiraj zadatak',
+ 'stopped_task' => 'Uspješno završen zadatak',
+ 'invoice_task' => 'Fakturiraj zadatak',
+ 'invoice_labels' => 'Oznake računa',
+ 'prefix' => 'Prefiks',
+ 'counter' => 'Brojač',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link za prijavu na Dwolla',
+ 'partial_value' => 'Mora biti veće od nula i manje od zbroja',
+ 'more_actions' => 'Više akcija',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Nadogradite odmah!',
+ 'pro_plan_feature1' => 'Kreirajte neograničeno klijenata',
+ 'pro_plan_feature2' => 'Pristup na 10 izvrsnih dizajna računa',
+ 'pro_plan_feature3' => 'Prilagođeni URL - "VašBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Uklonite "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Višekorisnički pristup & praćenje aktivnosti',
+ 'pro_plan_feature6' => 'Kreiranje ponuda & predračuna',
+ 'pro_plan_feature7' => 'Prilagodba naslova polja računa & numeriranje',
+ 'pro_plan_feature8' => 'Opcija za privitak PDFa na e-poštu klijenta',
+ 'resume' => 'Nastavi',
+ 'break_duration' => 'Prekini',
+ 'edit_details' => 'Uredi detalje',
+ 'work' => 'Rad',
+ 'timezone_unset' => 'Molimo :link za postavu vaše vremenske zone',
+ 'click_here' => 'kliknite ovdje',
+ 'email_receipt' => 'Pošalji e-poštom račun klijentu',
+ 'created_payment_emailed_client' => 'Uspješno kreirana uplata i poslana klijentu e-poštom',
+ 'add_company' => 'Dodaj poduzeće',
+ 'untitled' => 'Bez naslova',
+ 'new_company' => 'Novo poduzeće',
+ 'associated_accounts' => 'Uspješno povezani računi',
+ 'unlinked_account' => 'Uspješno razdvojeni računi',
+ 'login' => 'Prijava',
+ 'or' => 'ili',
+ 'email_error' => 'Došlo je do problema pri slanju e-pošte',
+ 'confirm_recurring_timing' => 'Bilješka: e-pošta je poslana na početku sata.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Sets the default invoice due date',
+ 'unlink_account' => 'Razdvoji račune',
+ 'unlink' => 'Razdvoji',
+ 'show_address' => 'Prikaži adrese',
+ 'show_address_help' => 'Zahtijevaj od klijenta adresu za fakture',
+ 'update_address' => 'Ažuriraj adresu',
+ 'update_address_help' => 'Ažuriraj adresu klijenta uz osigurane detalje',
+ 'times' => 'Vremena',
+ 'set_now' => 'Postavi na sada',
+ 'dark_mode' => 'Tamni prikaz',
+ 'dark_mode_help' => 'Koristi tamnu pozadinu za bočnu navigaciju',
+ 'add_to_invoice' => 'Dodaj računu :invoice',
+ 'create_new_invoice' => 'Kreiraj novi račun',
+ 'task_errors' => 'Molimo korigirajte preklopna vremena',
+ 'from' => 'Šalje',
+ 'to' => 'Prima',
+ 'font_size' => 'Veličina fonta',
+ 'primary_color' => 'Primarna boja',
+ 'secondary_color' => 'Sekundarna boja',
+ 'customize_design' => 'Prilagodi dizajn',
+ 'content' => 'Sadržaj',
+ 'styles' => 'Stilovi',
+ 'defaults' => 'Zadano',
+ 'margins' => 'Margine',
+ 'header' => 'Zaglavlje',
+ 'footer' => 'Podnožje',
+ 'custom' => 'Prilagođeno',
+ 'invoice_to' => 'Fakturiraj na',
+ 'invoice_no' => 'Broj računa',
+ 'quote_no' => 'Ponuda #',
+ 'recent_payments' => 'Nedavne uplate',
+ 'outstanding' => 'Dospijeva',
+ 'manage_companies' => 'Upravljanje poduzećima',
+ 'total_revenue' => 'Ukupni prihod',
+ 'current_user' => 'Trenutni korisnik',
+ 'new_recurring_invoice' => 'Novi redovni račun',
+ 'recurring_invoice' => 'Redovni račun',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Prerano je za kreiranje novog redovnog računa, na rasporedu je za :date',
+ 'created_by_invoice' => 'Kreiran od :invoice',
+ 'primary_user' => 'Primarni korisnik',
+ 'help' => 'Pomoć',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Datum valute',
+ 'quote_due_date' => 'Vrijedi do',
+ 'valid_until' => 'Vrijedi do',
+ 'reset_terms' => 'Resetiraj uvjete',
+ 'reset_footer' => 'Resetiraj podnožje',
+ 'invoice_sent' => ':count invoice sent',
+ 'invoices_sent' => ':count invoices sent',
+ 'status_draft' => 'Nacrt',
+ 'status_sent' => 'Poslano',
+ 'status_viewed' => 'Pregledano',
+ 'status_partial' => 'Parcijalno',
+ 'status_paid' => 'Plaćeno',
+ 'status_unpaid' => 'Neplaćeno',
+ 'status_all' => 'Sve',
+ 'show_line_item_tax' => 'Prikaži poreze u liniji stavke',
+ 'iframe_url' => 'Web mjesto',
+ 'iframe_url_help1' => 'Kopiraj slijedeći kod na stranicu svog web mjesta.',
+ 'iframe_url_help2' => 'Možete testirati mogućnost klikom na \'Pogledaj kao primatelj\' za račun.',
+ 'auto_bill' => 'Auto račun',
+ 'military_time' => '24 satno vrijeme',
+ 'last_sent' => 'Zadnje poslano',
+ 'reminder_emails' => 'E-pošta podsjetnik',
+ 'templates_and_reminders' => 'Predlošci & podsjetnici',
+ 'subject' => 'Naslov',
+ 'body' => 'Tijelo',
+ 'first_reminder' => 'Prvi podsjetnik',
+ 'second_reminder' => 'Drugi podsjetnik',
+ 'third_reminder' => 'Treći podsjetnik',
+ 'num_days_reminder' => 'Dana nakon isteka valute',
+ 'reminder_subject' => 'Podsjetnik: Račun :invoice od :account',
+ 'reset' => 'Resetiraj',
+ 'invoice_not_found' => 'Traženi račun nije dostupan',
+ 'referral_program' => 'Referentni progam',
+ 'referral_code' => 'Referentni URL',
+ 'last_sent_on' => 'Zadnje poslano :date',
+ 'page_expire' => 'Ova stranica će uskoro isteći, :click_here za nastavak rada',
+ 'upcoming_quotes' => 'Nadolazeće ponude',
+ 'expired_quotes' => 'Istekle ponude',
+ 'sign_up_using' => 'Prijavi se koristeći',
+ 'invalid_credentials' => 'Ove vjerodajnice se ne odgovaraju našim zapisima',
+ 'show_all_options' => 'Prkaži sve opcije',
+ 'user_details' => 'Detalji korisnika',
+ 'oneclick_login' => 'Povezani računi',
+ 'disable' => 'Onemogući',
+ 'invoice_quote_number' => 'Brojevi računa i ponuda',
+ 'invoice_charges' => 'Invoice Surcharges',
+ 'notification_invoice_bounced' => 'Nismo mogli dostaviti račun :invoice prema :contact.',
+ 'notification_invoice_bounced_subject' => 'Nije moguće dostaviti :invoice',
+ 'notification_quote_bounced' => 'Nismo mogli dostaviti ponudu :invoice prema :contact',
+ 'notification_quote_bounced_subject' => 'Nije moguće dostaviti ponudu :invoice',
+ 'custom_invoice_link' => 'Prilagođena poveznica računa',
+ 'total_invoiced' => 'Ukupno fakturirano',
+ 'open_balance' => 'Otvoreno stanje',
+ 'verify_email' => 'Molimo posjetite poveznicu unutar potvrdne e-pošte računa kako bi potvrdili svoju adresu e-pošte.',
+ 'basic_settings' => 'Osnovne postavke',
+ 'pro' => 'Pro',
+ 'gateways' => 'Platni usmjernici',
+ 'next_send_on' => 'Pošalji slijedeći: :date',
+ 'no_longer_running' => 'Ovaj račun nije zakazan za slanje',
+ 'general_settings' => 'Opće postavke',
+ 'customize' => 'Prilagodi',
+ 'oneclick_login_help' => 'Spoji se na račun za prijavu bez zaporke',
+ 'referral_code_help' => 'Zaradite novac dijeleći našu aplikaciju online',
+ 'enable_with_stripe' => 'Omogući | Zahtijeva Stripe',
+ 'tax_settings' => 'Postavke poreza',
+ 'create_tax_rate' => 'Dodaj poreznu stopu',
+ 'updated_tax_rate' => 'Uspješno ažurirana porezna stopa',
+ 'created_tax_rate' => 'Uspješno kreirana porezna stopa',
+ 'edit_tax_rate' => 'Uredi poreznu stopu',
+ 'archive_tax_rate' => 'Arhiviraj poreznu stopu',
+ 'archived_tax_rate' => 'Uspješno arhivirana porezna stopa',
+ 'default_tax_rate_id' => 'Zadana porezna stopa',
+ 'tax_rate' => 'Porezna stopa',
+ 'recurring_hour' => 'Ponavljajući sat',
+ 'pattern' => 'Uzorak',
+ 'pattern_help_title' => 'Pomoć za uzorke',
+ 'pattern_help_1' => 'Kreirajte vlastiti izgled broja računa uređivanjem paterna.',
+ 'pattern_help_2' => 'Dostupne varijable:',
+ 'pattern_help_3' => 'Na primjer, :example bi bilo pretvoreno u :value',
+ 'see_options' => 'Pogledaj opcije',
+ 'invoice_counter' => 'Brojač računa',
+ 'quote_counter' => 'Brojač ponuda',
+ 'type' => 'Tip',
+ 'activity_1' => ':user kreirao klijenta :client',
+ 'activity_2' => ':user arhivirao klijenta :client',
+ 'activity_3' => ':user obrisao klijenta :client',
+ 'activity_4' => ':user kreirao račun :invoice',
+ 'activity_5' => ':user ažurirao račun :invoice',
+ 'activity_6' => ':user poslao e-poštom račun :invoice za :contact',
+ 'activity_7' => ':contact pregledao račun :invoice',
+ 'activity_8' => ':user arhivirao račun :invoice',
+ 'activity_9' => ':user obrisao račun :invoce',
+ 'activity_10' => ':contact upisao uplatu :payment za :invoice',
+ 'activity_11' => ':user ažurirao uplatu :payment',
+ 'activity_12' => ':user ahivirao uplatu :payment',
+ 'activity_13' => ':user obrisao uplatu :payment',
+ 'activity_14' => ':user upisao :credit kredit',
+ 'activity_15' => ':user ažurirao :credit kredit',
+ 'activity_16' => ':user arhivirao :credit kredit',
+ 'activity_17' => ':user obrisao :credit kredit',
+ 'activity_18' => ':user kreirao ponudu :quote',
+ 'activity_19' => ':user ažurirao ponudu :quote',
+ 'activity_20' => ':user poslao e-poštom ponudu :quote za :contact',
+ 'activity_21' => ':contact pregledao ponudu :quote',
+ 'activity_22' => ':user arhivirao ponudu :quote',
+ 'activity_23' => ':user obrisao ponudu :quote',
+ 'activity_24' => ':user obnovio ponudu :quote',
+ 'activity_25' => ':user obnovio račun :invoice',
+ 'activity_26' => ':user obnovio klijenta :client',
+ 'activity_27' => ':user obnovio uplatu :payment',
+ 'activity_28' => ':user obnovio :credit kredit',
+ 'activity_29' => ':contact odobrio ponudu :quote',
+ 'activity_30' => ':user created vendor :vendor',
+ 'activity_31' => ':user archived vendor :vendor',
+ 'activity_32' => ':user deleted vendor :vendor',
+ 'activity_33' => ':user restored vendor :vendor',
+ 'activity_34' => ':user kreirao trošak :expense',
+ 'activity_35' => ':user archived expense :expense',
+ 'activity_36' => ':user deleted expense :expense',
+ 'activity_37' => ':user restored expense :expense',
+ 'activity_42' => ':user created task :task',
+ 'activity_43' => ':user updated task :task',
+ 'activity_44' => ':user archived task :task',
+ 'activity_45' => ':user deleted task :task',
+ 'activity_46' => ':user restored task :task',
+ 'activity_47' => ':user updated expense :expense',
+ 'payment' => 'Uplata',
+ 'system' => 'Sustav',
+ 'signature' => 'Potpis e-pošte',
+ 'default_messages' => 'Zadane poruke',
+ 'quote_terms' => 'Uvjeti ponude',
+ 'default_quote_terms' => 'Zadani uvjeti ponude',
+ 'default_invoice_terms' => 'Zadani uvjeti računa',
+ 'default_invoice_footer' => 'Zadano podnožje računa',
+ 'quote_footer' => 'Podnožje ponude',
+ 'free' => 'Slobodan',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Primjeni kredit',
+ 'system_settings' => 'Postavke sustava',
+ 'archive_token' => 'Arhiviraj token',
+ 'archived_token' => 'Uspješno arhiviran token',
+ 'archive_user' => 'Arhiviraj korisnika',
+ 'archived_user' => 'Uspješno arhiviran korisnik',
+ 'archive_account_gateway' => 'Arhiviraj usmjernik',
+ 'archived_account_gateway' => 'Uspješno arhiviran usmjernik',
+ 'archive_recurring_invoice' => 'Arhiviraj redoviti račun',
+ 'archived_recurring_invoice' => 'Uspješno arhiviran redoviti račun',
+ 'delete_recurring_invoice' => 'Obriši redoviti račun',
+ 'deleted_recurring_invoice' => 'Uspješno obrisan redoviti račun',
+ 'restore_recurring_invoice' => 'Obnovi redoviti račun',
+ 'restored_recurring_invoice' => 'Uspješno obnovljen redoviti račun',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Arhivirano',
+ 'untitled_account' => 'Neimenovano poduzeće',
+ 'before' => 'Prije',
+ 'after' => 'Poslije',
+ 'reset_terms_help' => 'Resetiraj na zadane postavke računa',
+ 'reset_footer_help' => 'Resetiraj na zadane postavke podnožja',
+ 'export_data' => 'Izvezi podatke',
+ 'user' => 'Korisnik',
+ 'country' => 'Zemlja',
+ 'include' => 'Uključi',
+ 'logo_too_large' => 'Vaš logo je :size, za bolju PDF izvedbu preporučujemo otpremu slikovne datoteke manje od 200KB',
+ 'import_freshbooks' => 'Uvezi iz FreshBooks',
+ 'import_data' => 'Uvezi podatke',
+ 'source' => 'Izvor',
+ 'csv' => 'CSV',
+ 'client_file' => 'Klijentska datoteka',
+ 'invoice_file' => 'Datoteka računa',
+ 'task_file' => 'Datoteka zadataka',
+ 'no_mapper' => 'Nema ispravnog mapiranja za datoteku',
+ 'invalid_csv_header' => 'Neispravno CSV zaglavlje',
+ 'client_portal' => 'Klijentski portal',
+ 'admin' => 'Administracija',
+ 'disabled' => 'Onemogućeno',
+ 'show_archived_users' => 'Prikaži arhivirane korisnike',
+ 'notes' => 'Bilješke',
+ 'invoice_will_create' => 'račun će biti kreiran',
+ 'invoices_will_create' => 'računi će biti kreirani',
+ 'failed_to_import' => 'The following records failed to import, they either already exist or are missing required fields.',
+ 'publishable_key' => 'Objavljivi ključ',
+ 'secret_key' => 'Tajni ključ',
+ 'missing_publishable_key' => 'Postavite vap Stripe objavljivi ključ za poboljšani proces odjave',
+ 'email_design' => 'Dizajn e-pošte',
+ 'due_by' => 'Valuta do :date',
+ 'enable_email_markup' => 'Omogući markup',
+ 'enable_email_markup_help' => 'Olakšajte svojim klijentima plaćanje dodavanjem schema.org markupa vašoj e-pošti.',
+ 'template_help_title' => 'Pomoć za predloške',
+ 'template_help_1' => 'Dostupne varijable:',
+ 'email_design_id' => 'Stil e-pošte',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'Obično',
+ 'light' => 'Svijetlo',
+ 'dark' => 'Tamno',
+ 'industry_help' => 'Koristi se za usporedbe između prosjeka poduzeća sličnih veličina i djelatnosti.',
+ 'subdomain_help' => 'Postavi poddomenu ili prikazujte račune na vlastitoj web stranici.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Odredite prefiks ili koristite prilagođeni uzorak za dinamično postavljanje brojeva računa.',
+ 'quote_number_help' => 'Odredite prefiks ili koristite prilagođeni uzorak za dinamično postavljanje brojeva ponuda.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Dodajte oznaku i vrijednost na sekciju sa detaljima poduzeža na PDFu.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Add a field when creating an invoice and include the charge in the invoice subtotals.',
+ 'token_expired' => 'Validacijski token je istekao. Molimo pokušajte ponovo.',
+ 'invoice_link' => 'Poveznica računa',
+ 'button_confirmation_message' => 'Kliknite za potvrdu vaše adrese e-pošte.',
+ 'confirm' => 'Odobri',
+ 'email_preferences' => 'Postavke e-pošte',
+ 'created_invoices' => 'Uspješno kreirano :count računa',
+ 'next_invoice_number' => 'Slijedeći broj računa je :number.',
+ 'next_quote_number' => 'Slijedeći broj ponude je :number.',
+ 'days_before' => 'dana prije',
+ 'days_after' => 'dana poslije',
+ 'field_due_date' => 'datum valute',
+ 'field_invoice_date' => 'datum računa',
+ 'schedule' => 'Raspored',
+ 'email_designs' => 'Dizajn e-pošte',
+ 'assigned_when_sent' => 'Dodijeljeno pri slanju',
+ 'white_label_purchase_link' => 'Kupite licencu bijele oznake',
+ 'expense' => 'Trošak',
+ 'expenses' => 'Troškovi',
+ 'new_expense' => 'Novi trošak',
+ 'enter_expense' => 'Unesi trošak',
+ 'vendors' => 'Dobavljači',
+ 'new_vendor' => 'Novi dobavljač',
+ 'payment_terms_net' => 'čisto',
+ 'vendor' => 'Dobavljač',
+ 'edit_vendor' => 'Uredi dobavljača',
+ 'archive_vendor' => 'Arhiviraj dobavljača',
+ 'delete_vendor' => 'Obriši dobavljača',
+ 'view_vendor' => 'Pregledaj dobavljača',
+ 'deleted_expense' => 'Uspješno obrisan trošak',
+ 'archived_expense' => 'Uspješno arhiviran trošak',
+ 'deleted_expenses' => 'Uspješno obrisan trošak',
+ 'archived_expenses' => 'Uspješno arhivirani troškovi',
+ 'expense_amount' => 'Iznos troškova',
+ 'expense_balance' => 'Stanje troškova',
+ 'expense_date' => 'Datum troška',
+ 'expense_should_be_invoiced' => 'Treba li fakturirati ovaj trošak?',
+ 'public_notes' => 'Javne bilješke',
+ 'invoice_amount' => 'Iznos računa',
+ 'exchange_rate' => 'Tečaj',
+ 'yes' => 'Da',
+ 'no' => 'Ne',
+ 'should_be_invoiced' => 'Treba biti fakturiran',
+ 'view_expense' => 'Pregled troškova # :expense',
+ 'edit_expense' => 'Uredi trošak',
+ 'archive_expense' => 'Arhiviraj trošak',
+ 'delete_expense' => 'Obriši trošak',
+ 'view_expense_num' => 'Trošak # :expense',
+ 'updated_expense' => 'Uspješno ažuriran trošak',
+ 'created_expense' => 'Uspješno kreiran trošak',
+ 'enter_expense' => 'Unesi trošak',
+ 'view' => 'Pregled',
+ 'restore_expense' => 'Obnovi trošak',
+ 'invoice_expense' => 'Trošak računa',
+ 'expense_error_multiple_clients' => 'Troškovi ne mogu pripadati različitim klijentima',
+ 'expense_error_invoiced' => 'Trošak je već fakturiran',
+ 'convert_currency' => 'Konvertiraj valutu',
+ 'num_days' => 'Broj dana',
+ 'create_payment_term' => 'Kreiraj uvjete plaćanja',
+ 'edit_payment_terms' => 'Uredi uvjet plaćanja',
+ 'edit_payment_term' => 'Uredi uvjete plaćanja',
+ 'archive_payment_term' => 'Arhiviraj uvjet plaćanje',
+ 'recurring_due_dates' => 'Datumi dospjeća redovnih računa',
+ 'recurring_due_date_help' => 'Automatski postavlja datume dospjeća za račune.
+ Računi unutar mjesečnog ili godišnjeg ciklusa postavljeni da dospijevaju na dan ili prije dana na koji su kreirani biti će dospjeli slijedeći mjesec. Računi postavljeni da dospjevaju na 29. ili 30. u mjesecu a koji nemaju taj dan biti će dospjeli zadnji dan u mjesecu.
+ Računi unutar tjednog ciklusa postavljeni da dospjevaju na dan u tjednu kada su kreirani dospijevati će slijedeći tjedan.
+ Na primjer:
+
+ - Danas je 15., datum dospijeća je 1. u mjesecu. Datum dospijeća je izgledno 1. slijedećeg mjeseca.
+ - Danas je 15., datum dospijeća je zadnji dan u mjesecu. Datum dospijeća je zadnji dan u ovom mjesecu.
+
+ - Danas je 15, datum dospjeća je 15. u mjesedu. Datum dospijeća će biti 15 dan slijedećeg mjeseca.
+
+ - Danas je petak, datum dospijeća je prvi slijedeći petak. Datum dospijeća je prvi slijedeći petak, a ne današnji petak.
+
+
',
+ 'due' => 'Dospjelo',
+ 'next_due_on' => 'Dospijeva slijedeće :date',
+ 'use_client_terms' => 'Koristi uvjete klijenta',
+ 'day_of_month' => ':ordinal dan u mjesecu',
+ 'last_day_of_month' => 'Zadnji dan u mjesecu',
+ 'day_of_week_after' => ':ordinal :day nakon',
+ 'sunday' => 'Nedjelja',
+ 'monday' => 'Ponedjeljak',
+ 'tuesday' => 'Utorak',
+ 'wednesday' => 'Srijeda',
+ 'thursday' => 'Četvrtak',
+ 'friday' => 'Petak',
+ 'saturday' => 'Subota',
+ 'header_font_id' => 'Font zaglavlja',
+ 'body_font_id' => 'Font tijela',
+ 'color_font_help' => 'Bilješka: primarna boja i fontovi su također korišteni u klijentskom portalu i prilagođenom dizajnu e-pošte',
+ 'live_preview' => 'Pretpregled uživo',
+ 'invalid_mail_config' => 'Nije moguće poslati e-poštu, molim provjerite da li su vaše postavke e-pošte ispravne.',
+ 'invoice_message_button' => 'Za pregled vašeg račun iznosa :amount, kliknite na donju tipku.',
+ 'quote_message_button' => 'Za pregled vaše ponude iznosa :amount, kliknite donju tipku.',
+ 'payment_message_button' => 'Hvala vam na vašoj uplati od :amount.',
+ 'payment_type_direct_debit' => 'Direktni dug',
+ 'bank_accounts' => 'Kreditne kartice & banke',
+ 'add_bank_account' => 'Dodajte bankovni račun',
+ 'setup_account' => 'Postava računa',
+ 'import_expenses' => 'Uvezi troškove',
+ 'bank_id' => 'Banka',
+ 'integration_type' => 'Tip integracije',
+ 'updated_bank_account' => 'Uspješno ažuriran bankovni račun',
+ 'edit_bank_account' => 'Uredi bankovni račun',
+ 'archive_bank_account' => 'Arhiviraj bankovni račun',
+ 'archived_bank_account' => 'Uspješno arhiviran bankovni račun',
+ 'created_bank_account' => 'Uspješno kreiran bankovni račun',
+ 'validate_bank_account' => 'Provjeri bankovni račun',
+ 'bank_password_help' => 'Bilješka: vaša zaporka je sigurno odaslana i nikada nije pohranjivana na našim serverima.',
+ 'bank_password_warning' => 'Pozor: vaša zaporka je mogla biti odaslana kao običan tekst, razmotrite omogućavanje HTTPSa.',
+ 'username' => 'Korisničko ime',
+ 'account_number' => 'Broj računa',
+ 'account_name' => 'Ime računa',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Odobreno',
+ 'quote_settings' => 'Postavke ponude',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatski konvertirajte ponudu u račun nakon što je odobrena od strane klijenta.',
+ 'validate' => 'Validiraj',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Uspješno kreirano :count_vendors dobavljača i :count_expenses troškova',
+ 'iframe_url_help3' => 'Bilješka: Ukoliko planirate prihvaćati kreditne kartice, snažno preporučujemo omogućavanje HTTPS na vašem web mjestu.',
+ 'expense_error_multiple_currencies' => 'Troškovi ne mogu imati različite valute.',
+ 'expense_error_mismatch_currencies' => 'Valute klijenata se ne podudaraju sa valutama troškova.',
+ 'trello_roadmap' => 'Trello razvojna cesta',
+ 'header_footer' => 'Zaglavlje/Podnožje',
+ 'first_page' => 'First page',
+ 'all_pages' => 'All pages',
+ 'last_page' => 'Last page',
+ 'all_pages_header' => 'Prikaži zaglavlje na',
+ 'all_pages_footer' => 'Prikaži podnožje na',
+ 'invoice_currency' => 'Valuta računa',
+ 'enable_https' => 'Snažno preporučujemo korištenje HTTPS za prihvat detalja kreditnih kartica online.',
+ 'quote_issued_to' => 'Ponuda napravljena za',
+ 'show_currency_code' => 'Kod valute',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Vaš račun će primiti besplatni dvotjedni probni rok za naš pro plan.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Pokreni besplatni probni rok',
+ 'trial_success' => 'Uspješno je omogućeno dva tjedna besplatnog probnog pro plan roka',
+ 'overdue' => 'Van valute',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'To adjust your email notification settings please visit :link',
+ 'reset_password_footer' => 'If you did not request this password reset please email our support: :email',
+ 'limit_users' => 'Sorry, this will exceed the limit of :limit users',
+ 'more_designs_self_host_header' => 'Get 6 more invoice designs for just $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link to remove the Invoice Ninja logo by joining the Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Kliknite ovdje',
+ 'invitation_status_sent' => 'Poslano',
+ 'invitation_status_opened' => 'Otvoreno',
+ 'invitation_status_viewed' => 'Pregledano',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Emails can not be sent to inactive invoices',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email
+Nevažeći kontakt email',
+
+ 'navigation' => 'Navigacija',
+ 'list_invoices' => 'Izlistaj računa',
+ 'list_clients' => 'Izlistaj klijenata',
+ 'list_quotes' => 'Izlistaj ponuda',
+ 'list_tasks' => 'List Tasks',
+ 'list_expenses' => 'List Expenses',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => 'List Payments',
+ 'list_credits' => 'List Credits',
+ 'tax_name' => 'Ime porezne stope',
+ 'report_settings' => 'Report Settings',
+ 'search_hotkey' => '(unesi / za pomoć)',
+
+ 'new_user' => 'Novi korisnik',
+ 'new_product' => 'Novi proizvod / usluga',
+ 'new_tax_rate' => 'Nova porezna stopa',
+ 'invoiced_amount' => 'Iznos računa',
+ 'invoice_item_fields' => 'Polja stavke računa',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Ponavljajući broj',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Password Protect Invoices',
+ 'enable_portal_password_help' => 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
+ 'send_portal_password' => 'Generiraj automatski',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Isteklo',
+ 'invalid_card_number' => 'The credit card number is not valid.',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Cijena',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Vlasnik',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Partial Due',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'Pregledaj uplatu',
+
+ 'january' => 'Siječanj',
+ 'february' => 'Veljača',
+ 'march' => 'Ožujak',
+ 'april' => 'Travanj',
+ 'may' => 'Svibanj',
+ 'june' => 'Lipanj',
+ 'july' => 'Srpanj',
+ 'august' => 'Kolovoz',
+ 'september' => 'Rujan',
+ 'october' => 'Listopad',
+ 'november' => 'Studeni',
+ 'december' => 'Prosinac',
+
+ // Documents
+ 'documents_header' => 'Dokumenti:',
+ 'email_documents_header' => 'Dokumenti:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Dokumenti ponuda',
+ 'invoice_documents' => 'Dokumenti računa',
+ 'expense_documents' => 'Dokumenti troškova',
+ 'invoice_embed_documents' => 'Ugrađeni dokumenti',
+ 'invoice_embed_documents_help' => 'Ubaci dodane dokumente u račun.',
+ 'document_email_attachment' => 'Dodaj dokumente',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Preuzmi dokumente (:size)',
+ 'documents_from_expenses' => 'Od troškova:',
+ 'dropzone_default_message' => 'Ispusti dokument ili klikni za prijenos',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'Datoteka je prevelika ({{filesize}}MiB). Maksimalna veličina: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'Nisu dozvoljene datoteke te vrste.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Otkaži prijenos',
+ 'dropzone_cancel_upload_confirmation' => 'Jeste li sigurni da želite otkazati prijenos?',
+ 'dropzone_remove_file' => 'Ukloni datoteku',
+ 'documents' => 'Dokumenti',
+ 'document_date' => 'Datum dokumenta',
+ 'document_size' => 'Veličina',
+
+ 'enable_client_portal' => 'Klijentski Portal',
+ 'enable_client_portal_help' => 'Prikaži/sakrij klijentski portal.',
+ 'enable_client_portal_dashboard' => 'Nadzora ploča',
+ 'enable_client_portal_dashboard_help' => 'Prikaži/sakrij nadzornu ploču na klijentskom portalu.',
+
+ // Plans
+ 'account_management' => 'Upravljanje računima',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Monthly',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Month',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Pretpregled uživo',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refund Payment',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Refund',
+ 'are_you_sure_refund' => 'Refund selected payments?',
+ 'status_pending' => 'Pending',
+ 'status_completed' => 'Dovršeno',
+ 'status_failed' => 'Failed',
+ 'status_partially_refunded' => 'Partially Refunded',
+ 'status_partially_refunded_amount' => ':amount Refunded',
+ 'status_refunded' => 'Refunded',
+ 'status_voided' => 'Cancelled',
+ 'refunded_payment' => 'Refunded Payment',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Unknown',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Client Id',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Other Providers',
+ 'country_not_supported' => 'That country is not supported.',
+ 'invalid_routing_number' => 'The routing number is not valid.',
+ 'invalid_account_number' => 'The account number is not valid.',
+ 'account_number_mismatch' => 'The account numbers do not match.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Company Account',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Add Account',
+ 'payment_methods' => 'Payment Methods',
+ 'complete_verification' => 'Complete Verification',
+ 'verification_amount1' => 'Amount 1',
+ 'verification_amount2' => 'Amount 2',
+ 'payment_method_verified' => 'Verification completed successfully',
+ 'verification_failed' => 'Verification Failed',
+ 'remove_payment_method' => 'Remove Payment Method',
+ 'confirm_remove_payment_method' => 'Are you sure you want to remove this payment method?',
+ 'remove' => 'Remove',
+ 'payment_method_removed' => 'Removed payment method.',
+ 'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Unknown Bank',
+ 'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
+ 'add_credit_card' => 'Add Credit Card',
+ 'payment_method_added' => 'Added payment method.',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'You must :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Add Payment Method',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Always',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Enabled',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Save payment details',
+ 'add_paypal_account' => 'Add PayPal Account',
+
+
+ 'no_payment_method_specified' => 'No payment method specified',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Format',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Company Name',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Manage Account',
+ 'action_required' => 'Action Required',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Security',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Product File',
+ 'import_products' => 'Import Products',
+ 'products_will_create' => 'products will be created',
+ 'product_key' => 'Proizvod',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'View Dashboard',
+ 'client_session_expired' => 'Session Expired',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bankovni račun',
+ 'auto_bill_payment_method_credit_card' => 'credit card',
+ 'auto_bill_payment_method_paypal' => 'PayPal account',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Payment Settings',
+
+ 'on_send_date' => 'On send date',
+ 'on_due_date' => 'On due date',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bank Account',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privacy Policy',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Verification Pending',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'More options',
+ 'credit_card' => 'Kreditna kartica',
+ 'bank_transfer' => 'Prijenos preko banke',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Added :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'This gateway already exists',
+ 'manual_entry' => 'Manual entry',
+ 'start_of_week' => 'First Day of the Week',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Weekly',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Two weeks',
+ 'freq_four_weeks' => 'Four weeks',
+ 'freq_monthly' => 'Monthly',
+ 'freq_three_months' => 'Three months',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Six months',
+ 'freq_annually' => 'Annually',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Bankovna uplata',
+ 'payment_type_Cash' => 'Gotovina',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Credit Card Other',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' => 'Photography',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Hrvatska',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Hrvatski',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' =>'Photography',
+
+ 'view_client_portal' => 'View client portal',
+ 'view_portal' => 'View Portal',
+ 'vendor_contacts' => 'Vendor Contacts',
+ 'all' => 'All',
+ 'selected' => 'Selected',
+ 'category' => 'Kategorija',
+ 'categories' => 'Kategorije',
+ 'new_expense_category' => 'Nova kategorija troškova',
+ 'edit_category' => 'Uredi kategoriju',
+ 'archive_expense_category' => 'Arhiviraj kategoriju',
+ 'expense_categories' => 'Kategorije troškova',
+ 'list_expense_categories' => 'Lista kategorija troškova',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Apply taxes',
+ 'min_to_max_users' => ':min to :max users',
+ 'max_users_reached' => 'The maximum number of users has been reached.',
+ 'buy_now_buttons' => 'Buy Now Buttons',
+ 'landing_page' => 'Landing Page',
+ 'payment_type' => 'Payment Type',
+ 'form' => 'Form',
+ 'link' => 'Link',
+ 'fields' => 'Fields',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Enable support for buy now buttons',
+ 'changes_take_effect_immediately' => 'Note: changes take effect immediately',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Something went wrong',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Please select a contact',
+ 'no_client_selected' => 'Please select a client',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Add 1 :product',
+ 'not_authorized' => 'You are not authorized',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Dan',
+ 'week' => 'Tjedan',
+ 'month' => 'Mjesec',
+ 'inactive_logout' => 'Odjavljeni ste zbog neaktivnosti',
+ 'reports' => 'Izvješća',
+ 'total_profit' => 'Ukupan profit',
+ 'total_expenses' => 'Ukupni troškovi',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Raspon datuma',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Prosječno stanje na računu banke',
+ 'annual_revenue' => 'Annual revenue',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Dobavljač',
+ 'entity_state' => 'Kanton',
+ 'client_created_at' => 'Datum kreiranja',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Projekt',
+ 'projects' => 'Projekti',
+ 'new_project' => 'Novi projekt',
+ 'edit_project' => 'Uredi projekt',
+ 'archive_project' => 'Arhiviraj projekt',
+ 'list_projects' => 'Lista projekata',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Izbriši projekt',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Izbriši kategoriju',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Izbriši proizvod',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Ažuriraj kredit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Uredi kredit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Datum kreiranja',
+ 'contact_us' => 'Kontaktirajte nas',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Račun',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Dani',
+ 'age_group_0' => '0 - 30 dana',
+ 'age_group_30' => '30 - 60 dana',
+ 'age_group_60' => '60 - 90 dana',
+ 'age_group_90' => '90 - 120 dana',
+ 'age_group_120' => '120+ dana',
+ 'invoice_details' => 'Detalji računa',
+ 'qty' => 'Količina',
+ 'profit_and_loss' => 'Profit i Trošak',
+ 'revenue' => 'Prihod',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Groupirano sortiranje',
+ 'group_dates_by' => 'Grupiraj datume prema',
+ 'year' => 'Godina',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'Ova godina',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Uredi detalje plaćanja',
+ 'updated_payment_details' => 'Uspješno ažurirani detalji plaćanja',
+ 'update_credit_card' => 'Ažuriraj kreditnu karticu',
+ 'recurring_expenses' => 'Redovni troškovi',
+ 'recurring_expense' => 'Redovni trošak',
+ 'new_recurring_expense' => 'Novi redovni trošak',
+ 'edit_recurring_expense' => 'Uredi redovne troškove',
+ 'archive_recurring_expense' => 'Arhiviraj redovne troškove',
+ 'list_recurring_expense' => 'Lista redovnih troškova',
+ 'updated_recurring_expense' => 'Uspješno uređen redovni trošak',
+ 'created_recurring_expense' => 'Uspješno kreiran redovni trošak',
+ 'archived_recurring_expense' => 'Uspješno arhiviran redovni trošak',
+ 'archived_recurring_expense' => 'Uspješno arhiviran redovni trošak',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Izbriši redovni trošak',
+ 'deleted_recurring_expense' => 'Uspješno izbrisan redovni trošak',
+ 'deleted_recurring_expense' => 'Uspješno izbrisan redovni trošak',
+ 'view_recurring_expense' => 'Pogledaj redovni trošak',
+ 'taxes_and_fees' => 'Porezi i naknade',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Opcije',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Bilješke proizvoda',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Jed. cijena',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'Na čemu trenutno radite?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Satnica',
+ 'task_rate_help' => 'Postavite zadanu satnicu za zadatke.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity as JSON to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Ažurirana ponuda',
+ 'subscription_event_7' => 'Obrisana ponuda',
+ 'subscription_event_8' => 'Ažurirani račun',
+ 'subscription_event_9' => 'Obrisani račun',
+ 'subscription_event_10' => 'Ažuriraj klijenta',
+ 'subscription_event_11' => 'Obriši klijenta',
+ 'subscription_event_12' => 'Obriši uplatu',
+ 'subscription_event_13' => 'Ažuriraj dobavljača',
+ 'subscription_event_14' => 'Obriši dobavljača',
+ 'subscription_event_15' => 'Kreiraj trošak',
+ 'subscription_event_16' => 'Ažuriraj trošak',
+ 'subscription_event_17' => 'Obriši trošak',
+ 'subscription_event_18' => 'Kreiraj zadatak',
+ 'subscription_event_19' => 'Ažuriraj zadatak',
+ 'subscription_event_20' => 'Obriši zadatak',
+ 'subscription_event_21' => 'Ponuda odobrena',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Ponavljajući računi',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Zadaci i projekti',
+ 'module_expense' => 'Troškovi i dobavljači',
+ 'reminders' => 'Podsjetnici',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Uračunaj porez u cijenu',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'U tijeku',
+ 'add_status' => 'Dodaj status',
+ 'archive_status' => 'Arhiviraj status',
+ 'new_status' => 'Novi status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Dogovoreno radnih sati',
+ 'progress' => 'Progres',
+ 'view_project' => 'Pogledaj Projekt',
+ 'summary' => 'Sažetak',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Pokaži na PDF-u',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Povratak na stranicu za prijavu',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Informacije klijenta',
+ 'updated_client_details' => 'Uspješno ažurirani detalji klijenta',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Iznos poreza',
+ 'tax_paid' => 'Plaćeno poreza',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Prijedlog',
+ 'proposals' => 'Prijedlozi',
+ 'list_proposals' => 'Prikaži Ponude',
+ 'new_proposal' => 'Nova Ponuda',
+ 'edit_proposal' => 'Uredi Ponudu',
+ 'archive_proposal' => 'Arhiviraj Ponudu',
+ 'delete_proposal' => 'Obriši Ponudu',
+ 'created_proposal' => 'Ponuda je uspješno kreirana',
+ 'updated_proposal' => 'Ponuda je ažurirana',
+ 'archived_proposal' => 'Ponuda je arhivirana',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Vrati Ponudu',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Kategorija',
+ 'proposal_categories' => 'Kategorije',
+ 'new_proposal_category' => 'Nova kategorija',
+ 'edit_proposal_category' => 'Uredi kategoriju',
+ 'archive_proposal_category' => 'Arhiviraj kategoriju',
+ 'delete_proposal_category' => 'Izbriši kategoriju',
+ 'created_proposal_category' => 'Kategorija uspješno kreirana',
+ 'updated_proposal_category' => 'Kategorija uspješno ažurirana',
+ 'archived_proposal_category' => 'Kategorija uspješno arhivirana',
+ 'deleted_proposal_category' => 'Kategorija uspješno arhivirana',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/hr/validation.php b/resources/lang/hr/validation.php
new file mode 100644
index 000000000000..8b54e496b08a
--- /dev/null
+++ b/resources/lang/hr/validation.php
@@ -0,0 +1,116 @@
+ 'Polje :attribute mora biti prihvaćeno.',
+ 'active_url' => 'Polje :attribute nije ispravan URL.',
+ 'after' => 'Polje :attribute mora biti datum nakon :date.',
+ 'alpha' => 'Polje :attribute smije sadržavati samo slova.',
+ 'alpha_dash' => 'Polje :attribute smije sadržavati samo slova, brojeve i crtice.',
+ 'alpha_num' => 'Polje :attribute smije sadržavati samo slova i brojeve.',
+ 'array' => 'Polje :attribute mora biti niz.',
+ 'before' => 'Polje :attribute mora biti datum prije :date.',
+ 'between' => [
+ 'numeric' => 'Polje :attribute mora biti između :min - :max.',
+ 'file' => 'Polje :attribute mora biti između :min - :max kilobajta.',
+ 'string' => 'Polje :attribute mora biti između :min - :max znakova.',
+ 'array' => 'Polje :attribute mora imati između :min - :max stavki.',
+ ],
+ 'boolean' => 'Polje :attribute mora biti false ili true.',
+ 'confirmed' => 'Potvrda polja :attribute se ne podudara.',
+ 'date' => 'Polje :attribute nije ispravan datum.',
+ 'date_format' => 'Polje :attribute ne podudara s formatom :format.',
+ 'different' => 'Polja :attribute i :other moraju biti različita.',
+ 'digits' => 'Polje :attribute mora sadržavati :digits znamenki.',
+ 'digits_between' => 'Polje :attribute mora imati između :min i :max znamenki.',
+ 'dimensions' => 'The :attribute has invalid image dimensions.',
+ 'distinct' => 'The :attribute field has a duplicate value.',
+ 'email' => 'Polje :attribute mora biti ispravna e-mail adresa.',
+ 'exists' => 'Odabrano polje :attribute nije ispravno.',
+ 'filled' => 'The :attribute field is required.',
+ 'image' => 'Polje :attribute mora biti slika.',
+ 'in' => 'Odabrano polje :attribute nije ispravno.',
+ 'in_array' => 'The :attribute field does not exist in :other.',
+ 'integer' => 'Polje :attribute mora biti broj.',
+ 'ip' => 'Polje :attribute mora biti ispravna IP adresa.',
+ 'json' => 'The :attribute must be a valid JSON string.',
+ 'max' => [
+ 'numeric' => 'Polje :attribute mora biti manje od :max.',
+ 'file' => 'Polje :attribute mora biti manje od :max kilobajta.',
+ 'string' => 'Polje :attribute mora sadržavati manje od :max znakova.',
+ 'array' => 'Polje :attribute ne smije imati više od :max stavki.',
+ ],
+ 'mimes' => 'Polje :attribute mora biti datoteka tipa: :values.',
+ 'min' => [
+ 'numeric' => 'Polje :attribute mora biti najmanje :min.',
+ 'file' => 'Polje :attribute mora biti najmanje :min kilobajta.',
+ 'string' => 'Polje :attribute mora sadržavati najmanje :min znakova.',
+ 'array' => 'Polje :attribute mora sadržavati najmanje :min stavki.',
+ ],
+ 'not_in' => 'Odabrano polje :attribute nije ispravno.',
+ 'numeric' => 'Polje :attribute mora biti broj.',
+ 'present' => 'The :attribute field must be present.',
+ 'regex' => 'Polje :attribute se ne podudara s formatom.',
+ 'required' => 'Polje :attribute je obavezno.',
+ 'required_if' => 'Polje :attribute je obavezno kada polje :other sadrži :value.',
+ 'required_unless' => 'The :attribute field is required unless :other is in :values.',
+ 'required_with' => 'Polje :attribute je obavezno kada postoji polje :values.',
+ 'required_with_all' => 'Polje :attribute je obavezno kada postje polja :values.',
+ 'required_without' => 'Polje :attribute je obavezno kada ne postoji polje :values.',
+ 'required_without_all' => 'Polje :attribute je obavezno kada nijedno od polja :values ne postoji.',
+ 'same' => 'Polja :attribute i :other se moraju podudarati.',
+ 'size' => [
+ 'numeric' => 'Polje :attribute mora biti :size.',
+ 'file' => 'Polje :attribute mora biti :size kilobajta.',
+ 'string' => 'Polje :attribute mora biti :size znakova.',
+ 'array' => 'Polje :attribute mora sadržavati :size stavki.',
+ ],
+ 'string' => 'The :attribute must be a string.',
+ 'timezone' => 'Polje :attribute mora biti ispravna vremenska zona.',
+ 'unique' => 'Polje :attribute već postoji.',
+ 'url' => 'Polje :attribute nije ispravnog formata.',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ //
+ ],
+
+];
diff --git a/resources/lang/it/pagination.php b/resources/lang/it/pagination.php
new file mode 100644
index 000000000000..54f2c22efeaa
--- /dev/null
+++ b/resources/lang/it/pagination.php
@@ -0,0 +1,20 @@
+ '« Precedente',
+
+ 'next' => 'Successivo »',
+
+);
diff --git a/resources/lang/it/reminders.php b/resources/lang/it/reminders.php
new file mode 100644
index 000000000000..a7ea42a5a159
--- /dev/null
+++ b/resources/lang/it/reminders.php
@@ -0,0 +1,24 @@
+ "Le password devono essere di almeno 6 caratteri e devono coincidere.",
+
+ "user" => "Non esiste un utente associato a questo indirizzo e-mail.",
+
+ "token" => "Questo token per la reimpostazione della password non è valido.",
+
+ "sent" => "Promemoria della password inviato!",
+
+);
diff --git a/resources/lang/it/texts.php b/resources/lang/it/texts.php
new file mode 100644
index 000000000000..db85f2891e74
--- /dev/null
+++ b/resources/lang/it/texts.php
@@ -0,0 +1,2865 @@
+ 'Organizzazione',
+ 'name' => 'Nome',
+ 'website' => 'Sito web',
+ 'work_phone' => 'Telefono',
+ 'address' => 'Indirizzo',
+ 'address1' => 'Via',
+ 'address2' => 'Appartamento/Piano',
+ 'city' => 'Città',
+ 'state' => 'Stato/Provincia',
+ 'postal_code' => 'Codice postale',
+ 'country_id' => 'Paese',
+ 'contacts' => 'Contatti',
+ 'first_name' => 'Nome',
+ 'last_name' => 'Cognome',
+ 'phone' => 'Telefono',
+ 'email' => 'Email',
+ 'additional_info' => 'Maggiori informazioni',
+ 'payment_terms' => 'Condizioni di pagamento',
+ 'currency_id' => 'Valuta',
+ 'size_id' => 'Dimensione',
+ 'industry_id' => 'Industria',
+ 'private_notes' => 'Note Personali',
+ 'invoice' => 'Fattura',
+ 'client' => 'Cliente',
+ 'invoice_date' => 'Data Fattura',
+ 'due_date' => 'Scadenza',
+ 'invoice_number' => 'Numero Fattura',
+ 'invoice_number_short' => 'Fattura #',
+ 'po_number' => 'Numero d\'ordine d\'acquisto',
+ 'po_number_short' => 'Ordine d\'acquisto #',
+ 'frequency_id' => 'Frequenza',
+ 'discount' => 'Sconto',
+ 'taxes' => 'Tasse',
+ 'tax' => 'Tassa',
+ 'item' => 'Articolo',
+ 'description' => 'Descrizione',
+ 'unit_cost' => 'Costo Unitario',
+ 'quantity' => 'Quantità',
+ 'line_total' => 'Totale Riga',
+ 'subtotal' => 'Subtotale',
+ 'paid_to_date' => 'Pagato a oggi',
+ 'balance_due' => 'Totale',
+ 'invoice_design_id' => 'Stile',
+ 'terms' => 'Condizioni',
+ 'your_invoice' => 'Tua Fattura',
+ 'remove_contact' => 'Rimuovi contatto',
+ 'add_contact' => 'Aggiungi contatto',
+ 'create_new_client' => 'Crea nuovo cliente',
+ 'edit_client_details' => 'Modifica dati cliente',
+ 'enable' => 'Abilita',
+ 'learn_more' => 'Scopri di più',
+ 'manage_rates' => 'Gestisci tassi',
+ 'note_to_client' => 'Nota al cliente',
+ 'invoice_terms' => 'Termini della fattura',
+ 'save_as_default_terms' => 'Salva termini come predefiniti',
+ 'download_pdf' => 'Scarica PDF',
+ 'pay_now' => 'Paga Adesso',
+ 'save_invoice' => 'Salva Fattura',
+ 'clone_invoice' => 'Clona come Fattura',
+ 'archive_invoice' => 'Archivia Fattura',
+ 'delete_invoice' => 'Elimina Fattura',
+ 'email_invoice' => 'Invia Fattura',
+ 'enter_payment' => 'Inserisci Pagamento',
+ 'tax_rates' => 'Aliquote Fiscali',
+ 'rate' => 'Aliquota',
+ 'settings' => 'Impostazioni',
+ 'enable_invoice_tax' => 'Possibile specificare tasse per la fattura',
+ 'enable_line_item_tax' => 'Possibile specificare tasse per ogni riga',
+ 'dashboard' => 'Cruscotto',
+ 'clients' => 'Clienti',
+ 'invoices' => 'Fatture',
+ 'payments' => 'Pagamenti',
+ 'credits' => 'Crediti',
+ 'history' => 'Storia',
+ 'search' => 'Cerca',
+ 'sign_up' => 'Registrati',
+ 'guest' => 'Ospite',
+ 'company_details' => 'Dettagli Azienda',
+ 'online_payments' => 'Pagamenti Online',
+ 'notifications' => 'Notifiche',
+ 'import_export' => 'Importa/Esporta',
+ 'done' => 'Fatto',
+ 'save' => 'Salva',
+ 'create' => 'Crea',
+ 'upload' => 'Carica',
+ 'import' => 'Importa',
+ 'download' => 'Scarica',
+ 'cancel' => 'Annulla',
+ 'close' => 'Close',
+ 'provide_email' => 'Per favore, fornisci un indirizzo Email valido',
+ 'powered_by' => 'Powered by',
+ 'no_items' => 'Nessun articolo',
+ 'recurring_invoices' => 'Fatture ricorrenti',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'di fatturato',
+ 'billed_client' => 'Cliente fatturato',
+ 'billed_clients' => 'Clienti fatturati',
+ 'active_client' => 'cliente attivo',
+ 'active_clients' => 'clienti attivi',
+ 'invoices_past_due' => 'Fatture Scadute',
+ 'upcoming_invoices' => 'Prossime fatture',
+ 'average_invoice' => 'Fattura media',
+ 'archive' => 'Archivia',
+ 'delete' => 'Elimina',
+ 'archive_client' => 'Archivia cliente',
+ 'delete_client' => 'Elimina cliente',
+ 'archive_payment' => 'Archivia pagamento',
+ 'delete_payment' => 'Elimina pagamento',
+ 'archive_credit' => 'Archivia credito',
+ 'delete_credit' => 'Elimina credito',
+ 'show_archived_deleted' => 'Mostra Archiviati/eliminati',
+ 'filter' => 'Filtra',
+ 'new_client' => 'Nuovo Cliente',
+ 'new_invoice' => 'Nuova Fattura',
+ 'new_payment' => 'Inserisci il pagamento',
+ 'new_credit' => 'Inserisci il credito',
+ 'contact' => 'Contatto',
+ 'date_created' => 'Data di Creazione',
+ 'last_login' => 'Ultimo Accesso',
+ 'balance' => 'Bilancio',
+ 'action' => 'Azione',
+ 'status' => 'Stato',
+ 'invoice_total' => 'Totale Fattura',
+ 'frequency' => 'Frequenza',
+ 'start_date' => 'Data Inizio',
+ 'end_date' => 'Data Fine',
+ 'transaction_reference' => 'Riferimento Transazione',
+ 'method' => 'Metodo',
+ 'payment_amount' => 'Importo Pagamento',
+ 'payment_date' => 'Data Pagamento',
+ 'credit_amount' => 'Importo Credito',
+ 'credit_balance' => 'Saldo Credito',
+ 'credit_date' => 'Data Credito',
+ 'empty_table' => 'Nessun dato disponibile nella tabella',
+ 'select' => 'Seleziona',
+ 'edit_client' => 'Modifica Cliente',
+ 'edit_invoice' => 'Modifica Fattura',
+ 'create_invoice' => 'Crea Fattura',
+ 'enter_credit' => 'Inserisci Credito',
+ 'last_logged_in' => 'Ultimo accesso',
+ 'details' => 'Dettagli',
+ 'standing' => 'Fermo',
+ 'credit' => 'Credito',
+ 'activity' => 'Attività',
+ 'date' => 'Data',
+ 'message' => 'Messaggio',
+ 'adjustment' => 'Variazione',
+ 'are_you_sure' => 'Sei sicuro?',
+ 'payment_type_id' => 'Tipo di Pagamento',
+ 'amount' => 'Importo',
+ 'work_email' => 'Email',
+ 'language_id' => 'Lingua',
+ 'timezone_id' => 'Fuso Orario',
+ 'date_format_id' => 'Formato data',
+ 'datetime_format_id' => 'Formato Data/Ora',
+ 'users' => 'Utenti',
+ 'localization' => 'Localizzazione',
+ 'remove_logo' => 'Rimuovi logo',
+ 'logo_help' => 'Supportati: JPEG, GIF e PNG',
+ 'payment_gateway' => 'Servizi di Pagamento',
+ 'gateway_id' => 'Piattaforma',
+ 'email_notifications' => 'Notifiche Email',
+ 'email_sent' => 'Mandami un\'email quando una fattura è inviata',
+ 'email_viewed' => 'Mandami un\'email quando una fattura è visualizzata',
+ 'email_paid' => 'Mandami un\'email quando una fattura è pagata',
+ 'site_updates' => 'Aggiornamenti Sito',
+ 'custom_messages' => 'Messaggi Personalizzati',
+ 'default_email_footer' => 'Salva firma email come predefinita',
+ 'select_file' => 'Seleziona un file, per favore',
+ 'first_row_headers' => 'Usa la prima riga come Intestazione',
+ 'column' => 'Colonna',
+ 'sample' => 'Esempio',
+ 'import_to' => 'Importa in',
+ 'client_will_create' => 'il cliente sarà creato',
+ 'clients_will_create' => 'i clienti saranno creati',
+ 'email_settings' => 'Email Settings',
+ 'client_view_styling' => 'Stile di visualizzazione cliente',
+ 'pdf_email_attachment' => 'Attach PDF',
+ 'custom_css' => 'Custom CSS',
+ 'import_clients' => 'Importa Dati Clienti',
+ 'csv_file' => 'Seleziona file CSV',
+ 'export_clients' => 'Esporta Dati Clienti',
+ 'created_client' => 'Cliente creato con successo',
+ 'created_clients' => ':count clienti creati con successo',
+ 'updated_settings' => 'Impostazioni aggiornate con successo',
+ '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' => 'Ci dispiace, questo supererà il limite di :count clienti',
+ 'payment_error' => 'C\'è stato un errore durante il pagamento. Riprova più tardi, per favore.',
+ 'registration_required' => 'Per favore, registrati per inviare una fattura',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Cliente aggiornato con successo',
+ 'created_client' => 'Cliente creato con successo',
+ 'archived_client' => 'Cliente archiviato con successo',
+ 'archived_clients' => ':count clienti archiviati con successo',
+ 'deleted_client' => 'Cliente eliminato con successo',
+ 'deleted_clients' => ':count clienti eliminati con successo',
+ 'updated_invoice' => 'Fattura aggiornata con successo',
+ 'created_invoice' => 'Fattura creata con successo',
+ 'cloned_invoice' => 'Fattura duplicata con successo',
+ 'emailed_invoice' => 'Fattura inviata con successo',
+ 'and_created_client' => 'e cliente creato',
+ 'archived_invoice' => 'Fattura archiviata con successo',
+ 'archived_invoices' => ':count fatture archiviate con successo',
+ 'deleted_invoice' => 'Fattura eliminata con successo',
+ 'deleted_invoices' => ':count fatture eliminate con successo',
+ 'created_payment' => 'Pagamento creato con successo',
+ 'created_payments' => 'Creati :count pagamenti con successo.',
+ 'archived_payment' => 'Pagamento archiviato con successo',
+ 'archived_payments' => ':count pagamenti archiviati con successo',
+ 'deleted_payment' => 'Pagamenti eliminati con successo',
+ 'deleted_payments' => ':count pagamenti eliminati con successo',
+ 'applied_payment' => 'Pagamento applicato con successo',
+ 'created_credit' => 'Credito creato con successo',
+ 'archived_credit' => 'Credito archiviato con successo',
+ 'archived_credits' => ':count crediti archiviati con successo',
+ 'deleted_credit' => 'Credito eliminato con successo',
+ 'deleted_credits' => ':count crediti eliminati con successo',
+ 'imported_file' => 'File importato con successo',
+ 'updated_vendor' => 'Fornitore aggiornato con successo',
+ 'created_vendor' => 'Fornitore creato con successo',
+ 'archived_vendor' => 'Fornitore archiviato con successo',
+ 'archived_vendors' => ':count fornitori archiviati con successo',
+ 'deleted_vendor' => 'Fornitore eliminato con successo',
+ 'deleted_vendors' => ':count fornitori eliminati con successo',
+ 'confirmation_subject' => 'Conferma Account Invoice Ninja',
+ 'confirmation_header' => 'Conferma Account',
+ 'confirmation_message' => 'Per favore, accedi al link qui sotto per confermare il tuo account.',
+ 'invoice_subject' => 'Nuova fattura :number da :account',
+ 'invoice_message' => 'Per visualizzare la tua fattura di :amount, clicca sul link qui sotto.',
+ 'payment_subject' => 'Pagamento Ricevuto',
+ 'payment_message' => 'Grazie per il tuo pagamento di :amount.',
+ 'email_salutation' => 'Caro :name,',
+ 'email_signature' => 'Distinti saluti,',
+ 'email_from' => 'Il Team di InvoiceNinja',
+ 'invoice_link_message' => 'Per visualizzare la tua fattura del cliente clicca sul link qui sotto:',
+ 'notification_invoice_paid_subject' => 'La fattura :invoice è stata pagata da :client',
+ 'notification_invoice_sent_subject' => 'La fattura :invoice è stata inviata a :client',
+ 'notification_invoice_viewed_subject' => 'La fattura :invoice è stata visualizzata da :client',
+ '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.',
+ 'reset_password' => 'Puoi resettare la password del tuo account cliccando sul link qui sotto:',
+ 'secure_payment' => 'Pagamento Sicuro',
+ 'card_number' => 'Numero Carta',
+ 'expiration_month' => 'Mese di Scadenza',
+ 'expiration_year' => 'Anno di Scadenza',
+ 'cvv' => 'CVV',
+ 'logout' => 'Log Out',
+ 'sign_up_to_save' => 'Registrati per salvare il tuo lavoro',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Condizioni di Servizio',
+ 'email_taken' => 'Questo indirizzo email è già registrato',
+ 'working' => 'In elaborazione',
+ 'success' => 'Fatto',
+ 'success_message' => 'Registrazione avvenuta con successo. Per favore visita il link nell\'email di conferma per verificare il tuo indirizzo email.',
+ 'erase_data' => 'Il tuo account non è registrato, questo eliminerà definitivamente i tuoi dati.',
+ 'password' => 'Password',
+ 'pro_plan_product' => 'Piano PRO',
+ 'pro_plan_success' => 'Grazie per aver aderito! Non appena la fattura risulterà pagata il tuo piano PRO avrà inizio.',
+ 'unsaved_changes' => 'Ci sono dei cambiamenti non salvati',
+ 'custom_fields' => 'Campi Personalizzabili',
+ 'company_fields' => 'Campi Azienda',
+ 'client_fields' => 'Campi Cliente',
+ 'field_label' => 'Etichetta Campo',
+ 'field_value' => 'Valore Campo',
+ 'edit' => 'Modifica',
+ 'set_name' => 'Imposta il nome dalla tua azienda',
+ 'view_as_recipient' => 'Visualizza come destinatario',
+ 'product_library' => 'Libreria prodotti',
+ 'product' => 'Prodotto',
+ 'products' => 'Prodotti',
+ 'fill_products' => 'Riempimento automatico prodotti',
+ 'fill_products_help' => 'Selezionare un prodotto farà automaticamente inserire la descrizione ed il costo',
+ 'update_products' => 'Aggiorna automaticamente i prodotti',
+ 'update_products_help' => 'Aggiornare una fatura farà automaticamente aggiornare i prodotti',
+ 'create_product' => 'Crea Prodotto',
+ 'edit_product' => 'Modifica Prodotto',
+ 'archive_product' => 'Archivia Prodotto',
+ 'updated_product' => 'Prodotto aggiornato con successo',
+ 'created_product' => 'Prodotto creato con successo',
+ 'archived_product' => 'Prodotto archiviato con successo',
+ 'pro_plan_custom_fields' => ':link per attivare i campi personalizzati sottoscrivi il Piano Pro',
+ 'advanced_settings' => 'Impostazioni Avanzate',
+ 'pro_plan_advanced_settings' => ':link per attivare le impostazioni avanzate sottoscrivi il Piano Pro',
+ 'invoice_design' => 'Design Fattura',
+ 'specify_colors' => 'Specifica i Colori',
+ 'specify_colors_label' => 'Select the colors used in the invoice',
+ 'chart_builder' => 'Creatore grafico',
+ 'ninja_email_footer' => 'Creato da :site | Crea. Invia. Ricevi pagamento.',
+ 'go_pro' => 'diventa Pro',
+ 'quote' => 'Preventivo',
+ 'quotes' => 'Preventivi',
+ 'quote_number' => 'Numero Preventivo',
+ 'quote_number_short' => 'Preventivo #',
+ 'quote_date' => 'Data Preventivo',
+ 'quote_total' => 'Totale Preventivo',
+ 'your_quote' => 'Il vostro Preventivo',
+ 'total' => 'Totale',
+ 'clone' => 'Clona',
+ 'new_quote' => 'Nuovo Preventivo',
+ 'create_quote' => 'Crea Preventivo',
+ 'edit_quote' => 'Modifica Preventivo',
+ 'archive_quote' => 'Archivia Preventivo',
+ 'delete_quote' => 'Cancella Preventivo',
+ 'save_quote' => 'Salva Preventivo',
+ 'email_quote' => 'Invia Preventivo via Email',
+ 'clone_quote' => 'Clona come Preventivo',
+ 'convert_to_invoice' => 'Converti a Fattura',
+ 'view_invoice' => 'Vedi Fattura',
+ 'view_client' => 'Vedi Cliente',
+ 'view_quote' => 'Vedi Preventivo',
+ 'updated_quote' => 'Preventivo aggiornato con successo',
+ 'created_quote' => 'Preventivo creato con successo',
+ 'cloned_quote' => 'Preventivo clonato con successo',
+ 'emailed_quote' => 'Preventivo inviato con successo',
+ 'archived_quote' => 'Preventivo archiviato con successo',
+ 'archived_quotes' => 'Sono stati archiviati :count preventivi con successo',
+ 'deleted_quote' => 'Preventivo cancellato con successo',
+ 'deleted_quotes' => 'Sono stati cancellati :count preventivi con successo',
+ 'converted_to_invoice' => 'Il preventivo è stato convertito a fattura con successo',
+ 'quote_subject' => 'Nuovo preventivo :number da :account',
+ 'quote_message' => 'Per visualizzare il vostro preventivo di :amount, cliccate il collegamento sotto.',
+ 'quote_link_message' => 'Per visualizzare il preventivo del vostro cliente cliccate il collegamento sotto:',
+ 'notification_quote_sent_subject' => 'Il preventivo :invoice è stato inviato a :client',
+ 'notification_quote_viewed_subject' => 'Il preventivo :invoice è stato visualizzato da :client',
+ 'notification_quote_sent' => 'Al seguente cliente :client è stata inviato il preventivo :invoice per un importo di :amount.',
+ 'notification_quote_viewed' => 'Il seguente cliente :client ha visualizzato il preventivo :invoice di :amount.',
+ 'session_expired' => 'La vostra sessione è scaduta.',
+ 'invoice_fields' => 'Campi Fattura',
+ 'invoice_options' => 'Opzioni Fattura',
+ 'hide_paid_to_date' => 'Nascondi la data di pagamento',
+ 'hide_paid_to_date_help' => 'Visualizza l\'area "Pagato alla data" sulle fatture solo dopo aver ricevuto un pagamento.',
+ 'charge_taxes' => 'Ricarica tassa',
+ 'user_management' => 'Gestione utente',
+ 'add_user' => 'Aggiungi Utente',
+ 'send_invite' => 'Invia Invito',
+ 'sent_invite' => 'Invito inviato con successo',
+ 'updated_user' => 'Utente aggiornato con successo',
+ 'invitation_message' => 'Sei stato invitato da :invitor.',
+ 'register_to_add_user' => 'Registrati per aggiungere un utente',
+ 'user_state' => 'Stato',
+ 'edit_user' => 'Modifca Utente',
+ 'delete_user' => 'Elimia Utente',
+ 'active' => 'Attivo',
+ 'pending' => 'In attesa',
+ 'deleted_user' => 'Utente eliminato con successo',
+ 'confirm_email_invoice' => 'Sei sicuro di voler spedire via email questa fattura?',
+ 'confirm_email_quote' => 'Sei sicuro di voler inviare questo preventivo via email?',
+ 'confirm_recurring_email_invoice' => 'Sei sicuro di voler inviare questa fattura via email?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Elimina l\'account',
+ 'cancel_account_message' => 'Attenzione: Questo eliminerà permanentemente il tuo account, non si potrà più tornare indietro.',
+ 'go_back' => 'Torna indietro',
+ 'data_visualizations' => 'Visualizzazioni dei dati',
+ 'sample_data' => 'Mostra dati di esempio',
+ 'hide' => 'Nascondi',
+ 'new_version_available' => 'È disponibile una nuova versione di :releases_link. Stai eseguendo la v:user_version, L\'ultima è la v:latest_version',
+ 'invoice_settings' => 'Preferenze Fattura',
+ 'invoice_number_prefix' => 'Prefisso numerazione fatture',
+ 'invoice_number_counter' => 'Contatore numerazione fatture',
+ 'quote_number_prefix' => 'Prefisso numerazione preventivi',
+ 'quote_number_counter' => 'Contatore numerazione preventivi',
+ 'share_invoice_counter' => 'Condividi contatore fatture',
+ 'invoice_issued_to' => 'Fattura emessa a',
+ 'invalid_counter' => 'Per prevenire possibili conflitti per favore setta un prefisso sia per le fatture che per i preventivi',
+ 'mark_sent' => 'Contrassegna come inviato',
+ 'gateway_help_1' => ':link per iscriversi a Authorize.net.',
+ 'gateway_help_2' => ':link per iscriversi a Authorize.net.',
+ 'gateway_help_17' => ':link per ottenere la firma API di PayPal.',
+ 'gateway_help_27' => 'per registrarsi su 2Checkout.com. Per garantire che i pagamenti vengano tracciati, imposta :complete_link come URL di reindirizzamento in Account > Site Management nel portale 2Checkout.',
+ 'gateway_help_60' => ':link per creare un account WePay',
+ 'more_designs' => 'Più designs',
+ 'more_designs_title' => 'Ulteriori design di fattura',
+ 'more_designs_cloud_header' => 'Attiva Pro per ulteriori design di fattura',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Compra',
+ 'bought_designs' => 'Aggiunti con successo ulteriori design di fattura',
+ 'sent' => 'Inviato',
+ 'vat_number' => 'Partita IVA',
+ 'timesheets' => 'Schede attività',
+ 'payment_title' => 'Inserisci il tuo indirizzo di fatturazione e i dati della tua carta di credito',
+ 'payment_cvv' => '*Sono le 3-4 cifre nel retro della carta',
+ 'payment_footer1' => '*L\'indirizzo di fatturazione deve corrispondere all\'indirizzo associato alla carta di credito.',
+ 'payment_footer2' => '* Fare clic su "PAY NOW" solo una volta - la transazione può richiedere fino a 1 minuto per l\'elaborazione.',
+ 'id_number' => 'Codice Fiscale',
+ 'white_label_link' => 'Etichetta bianca',
+ 'white_label_header' => 'Etichetta bianca',
+ 'bought_white_label' => 'Abilitata con successo la licenza etichetta bianca',
+ 'white_labeled' => 'Etichetta bianca',
+ 'restore' => 'Ripristina',
+ 'restore_invoice' => 'Ripristina Fattura',
+ 'restore_quote' => 'Ripristina Preventivo',
+ 'restore_client' => 'Ripristina Cliente',
+ 'restore_credit' => 'Ripristina Credito',
+ 'restore_payment' => 'Ripristina Pagamento',
+ 'restored_invoice' => 'Fattura ripristinata con successo',
+ 'restored_quote' => 'Preventivo ripristinato con successo',
+ 'restored_client' => 'Cliente ripristinato con successo',
+ 'restored_payment' => 'Pagamento ripristinato con successo',
+ 'restored_credit' => 'Credito ripristinato con successo',
+ 'reason_for_canceling' => 'Aiutaci a migliorare il nostro sito dicendoci perché ci stai lasciando.',
+ 'discount_percent' => 'Percentuale',
+ 'discount_amount' => 'Quantità',
+ 'invoice_history' => 'Storico fatture',
+ 'quote_history' => 'Storico preventivi',
+ 'current_version' => 'Versione attuale',
+ 'select_version' => 'Seleziona versione',
+ 'view_history' => 'Vedi storico',
+ 'edit_payment' => 'Modifica pagamento',
+ 'updated_payment' => 'Pagamento aggiornato con successo',
+ 'deleted' => 'Eliminato',
+ 'restore_user' => 'Ripristina utente',
+ 'restored_user' => 'Utente ripristinato con successo',
+ 'show_deleted_users' => 'Visualizza utenti cancellati',
+ 'email_templates' => 'Modelli Email',
+ 'invoice_email' => 'Email Fattura',
+ 'payment_email' => 'Email Pagamento',
+ 'quote_email' => 'Email Preventivo',
+ 'reset_all' => 'Resetta Tutto',
+ 'approve' => 'Approva',
+ 'token_billing_type_id' => 'Fatturazione',
+ 'token_billing_help' => 'Memorizza i dettagli di pagamento con WePay, Stripe, Braintree o GoCardless.',
+ 'token_billing_1' => 'Disabilitato',
+ 'token_billing_2' => 'Attivazione: la checkbox è mostrata ma non selezionata',
+ 'token_billing_3' => 'Rinuncia - la checkbox è visualizzata e selezionata',
+ 'token_billing_4' => 'Sempre',
+ 'token_billing_checkbox' => 'Salva dettagli carta di credito',
+ 'view_in_gateway' => 'Vedi transazione in :gateway',
+ 'use_card_on_file' => 'Usa Card su File',
+ 'edit_payment_details' => 'Modifica dettagli pagamento',
+ 'token_billing' => 'Salva carta di credito',
+ 'token_billing_secure' => 'I dati sono memorizzati su piattaforma sicura mediante :link',
+ 'support' => 'Supporto',
+ 'contact_information' => 'Informazioni di contatto',
+ '256_encryption' => 'Criptazione 256-Bit',
+ 'amount_due' => 'Saldo dovuto',
+ 'billing_address' => 'Indirizzo di fatturazione',
+ 'billing_method' => 'Metodo di pagamento',
+ 'order_overview' => 'Riepilogo ordine',
+ 'match_address' => '*L\'indirizzo deve corrispondere con quello associato alla carta di credito.',
+ 'click_once' => '*Per favore clicca "PAGA ADESSO" solo una volta - la transazione può impiegare sino a 1 minuto per essere completata.',
+ 'invoice_footer' => 'Piè di Pagina Fattura',
+ 'save_as_default_footer' => 'Salva come più di pagina predefinito',
+ 'token_management' => 'Gestione token',
+ 'tokens' => 'Token',
+ 'add_token' => 'Aggiungi token',
+ 'show_deleted_tokens' => 'Mostra token eliminati',
+ 'deleted_token' => 'Token eliminato correttamente',
+ 'created_token' => 'Token creato correttamente',
+ 'updated_token' => 'Token aggiornato correttamente',
+ 'edit_token' => 'Modifica token',
+ 'delete_token' => 'Elimina Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Aggiungi Gateway',
+ 'delete_gateway' => 'Elimina Gateway',
+ 'edit_gateway' => 'Modifica Gateway',
+ 'updated_gateway' => 'Successfully updated gateway',
+ 'created_gateway' => 'Gateway creato correttamente',
+ 'deleted_gateway' => 'Gateway eliminato correttamente',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Carta di Credito',
+ 'change_password' => 'Cambia password',
+ 'current_password' => 'Password corrente',
+ 'new_password' => 'Nuova password',
+ 'confirm_password' => 'Conferma password',
+ 'password_error_incorrect' => 'L\'attuale password non è corretta',
+ 'password_error_invalid' => 'La nuova password non è valida',
+ 'updated_password' => 'Password aggiornata correttamente',
+ 'api_tokens' => 'API Token',
+ 'users_and_tokens' => 'Utenti & Token',
+ 'account_login' => 'Login account',
+ 'recover_password' => 'Recupera password',
+ 'forgot_password' => 'Hai dimenticato la password?',
+ 'email_address' => 'Indirizzo eMail',
+ 'lets_go' => 'Vai',
+ 'password_recovery' => 'Recupero Password',
+ 'send_email' => 'Invia Email',
+ 'set_password' => 'Setta Password',
+ 'converted' => 'Convertito',
+ 'email_approved' => 'Inviami una email quando il preventivo è Accettato',
+ 'notification_quote_approved_subject' => 'Il preventivo :invoice è stato approvato dal :client',
+ 'notification_quote_approved' => 'Il cliente :client ha approvato il preventivo :invoice di :amount.',
+ 'resend_confirmation' => 'Re-invio mail di conferma',
+ 'confirmation_resent' => 'L\'e-mail di conferma è stata nuovamente inviata',
+ 'gateway_help_42' => ':link per registrarti a BitPay.
Nota: utilizza una Key API legacy, non un token API.',
+ 'payment_type_credit_card' => 'Carta di credito',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Conoscenza di base',
+ 'partial' => 'Parziale/Deposito',
+ 'partial_remaining' => ':partial di :balance',
+ 'more_fields' => 'Più campi',
+ 'less_fields' => 'Meno campi',
+ 'client_name' => 'Nome Cliente',
+ 'pdf_settings' => 'Preferenze PDF',
+ 'product_settings' => 'Preferenze Prodotti',
+ 'auto_wrap' => 'Linea a capo automaticamente',
+ 'duplicate_post' => 'Attenzione: la pagina precedente è stata inviata due volte. Il secondo invio è stato ignorato.',
+ 'view_documentation' => 'Visualizza documentazione',
+ 'app_title' => 'Fatturazione Online Open-Source',
+ 'app_description' => 'Invoice Ninja è gratuito, rappresenta una soluzione Open-source per la fatturazione e i pagamenti dei clienti. Con Invoice Ninja, puoi creare ed inviare bellissime fatture da qualsiasi device connesso al web. I tuoi clienti possono stampare le tue fatture, scaricarle come file pdf ed anche pagartele online con le funzionalità interne al sistema.',
+ 'rows' => 'righe',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Sottodominio',
+ 'provide_name_or_email' => 'Per favore inserisci un nome o una email',
+ 'charts_and_reports' => 'Grafici e Report',
+ 'chart' => 'Grafico',
+ 'report' => 'Report',
+ 'group_by' => 'Raggruppa per',
+ 'paid' => 'Pagata',
+ 'enable_report' => 'Report',
+ 'enable_chart' => 'Grafico',
+ 'totals' => 'Totali',
+ 'run' => 'Esegui',
+ 'export' => 'Esporta',
+ 'documentation' => 'Documentazione',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Ricorrenti',
+ 'last_invoice_sent' => 'Ultima fattura inviata :date',
+ 'processed_updates' => 'Aggiornamento completato con successo',
+ 'tasks' => 'Task',
+ 'new_task' => 'Nuovo Task',
+ 'start_time' => 'Tempo di inizio',
+ 'created_task' => 'Attività creata con successo',
+ 'updated_task' => 'Attività aggiornata con successo',
+ 'edit_task' => 'Modifica il Task',
+ 'archive_task' => 'Archivia il Task',
+ 'restore_task' => 'Ripristina il Task',
+ 'delete_task' => 'Cancella il Task',
+ 'stop_task' => 'Ferma il Task',
+ 'time' => 'Tempo',
+ 'start' => 'Inizia',
+ 'stop' => 'Ferma',
+ 'now' => 'Adesso',
+ 'timer' => 'Timer',
+ 'manual' => 'Manuale',
+ 'date_and_time' => 'Data e ora',
+ 'second' => 'Secondo',
+ 'seconds' => 'Secondi',
+ 'minute' => 'Minuto',
+ 'minutes' => 'Minuti',
+ 'hour' => 'Ora',
+ 'hours' => 'Ore',
+ 'task_details' => 'Dettagli Task',
+ 'duration' => 'Durata',
+ 'end_time' => 'Tempo di fine',
+ 'end' => 'Fine',
+ 'invoiced' => 'Fatturato',
+ 'logged' => 'Loggato',
+ 'running' => 'In corso',
+ 'task_error_multiple_clients' => 'Le attività non possono appartenere a clienti diversi',
+ 'task_error_running' => 'Si prega di fermare prima l\'attività',
+ 'task_error_invoiced' => 'Le attività sono già state fatturate',
+ 'restored_task' => 'Attività ripristinata con successo',
+ 'archived_task' => 'Attività archiviata con successo',
+ 'archived_tasks' => ':count attività archiviate correttamente',
+ 'deleted_task' => 'Attività cancellata con successo',
+ 'deleted_tasks' => ':count attività eliminate correttamente',
+ 'create_task' => 'Crea Task',
+ 'stopped_task' => 'Attività arrestata con successo',
+ 'invoice_task' => 'Fattura il Task',
+ 'invoice_labels' => 'Invoice Labels',
+ 'prefix' => 'Prefisso',
+ 'counter' => 'Contatore',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link per iscriversi a Dwolla',
+ 'partial_value' => 'Deve essere maggiore di zero ed inferiore al totale',
+ 'more_actions' => 'Altre Azioni',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Aggiorna Ora!',
+ 'pro_plan_feature1' => 'Crea clienti illimitati',
+ 'pro_plan_feature2' => 'Accesso a 10 bellissimi design di fatture',
+ 'pro_plan_feature3' => 'URL Personalizzato - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Rimuovi "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Accesso multiutente e tracciamento delle attività',
+ 'pro_plan_feature6' => 'Crea preventivi e fatture proforma',
+ 'pro_plan_feature7' => 'Personalizza il titolo e la numerazione delle Fatture',
+ 'pro_plan_feature8' => 'Opzione per allegare PDF alle e-mail del cliente',
+ 'resume' => 'Riprendi',
+ 'break_duration' => 'Interrompi',
+ 'edit_details' => 'Modifica dettagli',
+ 'work' => 'Work',
+ 'timezone_unset' => 'Per favore :link per impostare la tua timezone',
+ 'click_here' => 'clicca qui',
+ 'email_receipt' => 'Invia ricevuta di pagamento al cliente',
+ 'created_payment_emailed_client' => 'Pagamento creato con successo ed inviato al cliente',
+ 'add_company' => 'Aggiungi azienda',
+ 'untitled' => 'Senza titolo',
+ 'new_company' => 'Nuova azienda',
+ 'associated_accounts' => 'Account collegato con successo',
+ 'unlinked_account' => 'Account scollegato con successo',
+ 'login' => 'Login',
+ 'or' => 'o',
+ 'email_error' => 'Si è verificato un problema durante l\'invio dell\'email',
+ 'confirm_recurring_timing' => 'Nota: le e-mail vengono inviate all\'inizio dell\'ora.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Imposta la scadenza fatturapredefinita',
+ 'unlink_account' => 'Scollega account',
+ 'unlink' => 'Scollega',
+ 'show_address' => 'Mostra indirizzo',
+ 'show_address_help' => 'Richiedere al cliente di fornire il proprio indirizzo di fatturazione',
+ 'update_address' => 'Aggiorna indirizzo',
+ 'update_address_help' => 'Aggiorna l\'indirizzo del cliente con i dettagli forniti',
+ 'times' => 'Tempi',
+ 'set_now' => 'Imposta a ora',
+ 'dark_mode' => 'Modalità scura',
+ 'dark_mode_help' => 'Usa uno sfondo scuro per le barre laterali',
+ 'add_to_invoice' => 'Aggiungi alla fattura :invoice',
+ 'create_new_invoice' => 'Crea nuova fattura',
+ 'task_errors' => 'Si prega di correggere eventuali tempi di sovrapposizione',
+ 'from' => 'Da',
+ 'to' => 'a',
+ 'font_size' => 'Font Size',
+ 'primary_color' => 'Colore primario',
+ 'secondary_color' => 'Colore secondario',
+ 'customize_design' => 'Personalizza design',
+ 'content' => 'Contenuto',
+ 'styles' => 'Stili',
+ 'defaults' => 'Predefiniti',
+ 'margins' => 'Margini',
+ 'header' => 'Header',
+ 'footer' => 'Piè di Pagina',
+ 'custom' => 'Personalizzato',
+ 'invoice_to' => 'Fattura a',
+ 'invoice_no' => 'Fattura N.',
+ 'quote_no' => 'Preventivo N°',
+ 'recent_payments' => 'Pagamenti recenti',
+ 'outstanding' => 'Inevaso',
+ 'manage_companies' => 'Gestisci aziende',
+ 'total_revenue' => 'Ricavo totale',
+ 'current_user' => 'Current User',
+ 'new_recurring_invoice' => 'Nuova Fattura Ricorrente',
+ 'recurring_invoice' => 'Fattura ricorrente',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'È troppo presto per creare la prossima fattura ricorrente, è prevista per :date',
+ 'created_by_invoice' => 'Creato da :invoice',
+ 'primary_user' => 'Utente principale',
+ 'help' => 'Aiuto',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Scadenza fattura',
+ 'quote_due_date' => 'Validità preventivo',
+ 'valid_until' => 'Valido fino a',
+ 'reset_terms' => 'Reset terms',
+ 'reset_footer' => 'Ripristina Piè di Pagina',
+ 'invoice_sent' => ' :count fattura inviata',
+ 'invoices_sent' => ' :count fatture inviate',
+ 'status_draft' => 'Bozza',
+ 'status_sent' => 'Spedito',
+ 'status_viewed' => 'Visto',
+ 'status_partial' => 'Parziale',
+ 'status_paid' => 'Pagato',
+ 'status_unpaid' => 'Non pagato',
+ 'status_all' => 'Tutti',
+ 'show_line_item_tax' => 'Mostra tasse della riga sulla riga stessa ',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'Copia il seguente codice in una pagina del tuo sito.',
+ 'iframe_url_help2' => 'È possibile verificare la funzionalità facendo clic su "Visualizza come destinatario" per una fattura.',
+ 'auto_bill' => 'Fatturazione automatica',
+ 'military_time' => '24 ore',
+ 'last_sent' => 'Ultimo inviato',
+ 'reminder_emails' => 'Email di promemoria',
+ 'templates_and_reminders' => 'Template & Promemoria',
+ 'subject' => 'Oggetto',
+ 'body' => 'Corpo',
+ 'first_reminder' => 'Primo Promemoria',
+ 'second_reminder' => 'Secondo Promemoria',
+ 'third_reminder' => 'Terzo Promemoria',
+ 'num_days_reminder' => 'Giorni dopo la scadenza',
+ 'reminder_subject' => 'Promemoria: Fattura n° :invoice da :account',
+ 'reset' => 'Reset',
+ 'invoice_not_found' => 'La fattura richiesta non è disponibile',
+ 'referral_program' => 'Referral Program',
+ 'referral_code' => 'Referral Code',
+ 'last_sent_on' => 'Ultimo invio il :date',
+ 'page_expire' => 'Questa pagina scadrà presto, :click_here per continuare',
+ 'upcoming_quotes' => 'Preventivi in scadenza',
+ 'expired_quotes' => 'Preventivi Scaduti',
+ 'sign_up_using' => 'Registrati usando',
+ 'invalid_credentials' => 'Queste credenziali non hanno trovato corrispondenza',
+ 'show_all_options' => 'Mostra tutte le opzioni',
+ 'user_details' => 'Dettagli Utente',
+ 'oneclick_login' => 'Account connessi',
+ 'disable' => 'Disabilita',
+ 'invoice_quote_number' => 'Numerazione Fatture e Preventivi',
+ 'invoice_charges' => 'Supplementi fattura',
+ 'notification_invoice_bounced' => 'Non siamo riusciti ad inviare la fattura :invoice a :contact',
+ 'notification_invoice_bounced_subject' => 'Impossibile recapitare la fattura n° :invoice',
+ 'notification_quote_bounced' => 'Non siamo riusciti ad inviare il preventivo :invoice a :contact',
+ 'notification_quote_bounced_subject' => 'Impossibile recapitare il preventivo :invoice',
+ 'custom_invoice_link' => 'Link fattura personalizzata',
+ 'total_invoiced' => 'Fatturato totale',
+ 'open_balance' => 'Da saldare',
+ 'verify_email' => 'Per favore, clicca sul link nella mail di conferma per verificare il tuo indirizzo email.',
+ 'basic_settings' => 'Impostazioni Base',
+ 'pro' => 'Pro',
+ 'gateways' => 'Gateway di pagamento',
+ 'next_send_on' => 'Invia il prossimo il: :date',
+ 'no_longer_running' => 'Questa fattura non è pianificata per essere emessa',
+ 'general_settings' => 'Impostazioni generali',
+ 'customize' => 'Personalizza',
+ 'oneclick_login_help' => 'Connetti un account per entrare senza password',
+ 'referral_code_help' => 'Guadagna condividendo la nostra applicazione online',
+ 'enable_with_stripe' => 'Abilita | Richiede Stripe',
+ 'tax_settings' => 'Impostazioni tasse',
+ 'create_tax_rate' => 'Aggiungi aliquota fiscale',
+ 'updated_tax_rate' => 'Aliquota fiscale aggiornata',
+ 'created_tax_rate' => 'Aliquota fiscale creata',
+ 'edit_tax_rate' => 'Modifica aliquota fiscale',
+ 'archive_tax_rate' => 'Archivia aliquota fiscale',
+ 'archived_tax_rate' => 'Successfully archived the tax rate',
+ 'default_tax_rate_id' => 'Default Tax Rate',
+ 'tax_rate' => 'Tax Rate',
+ 'recurring_hour' => 'Recurring Hour',
+ 'pattern' => 'Pattern',
+ 'pattern_help_title' => 'Pattern Help',
+ 'pattern_help_1' => 'Crea una numerazione personalizzata tramite un modello',
+ 'pattern_help_2' => 'Available variables:',
+ 'pattern_help_3' => 'For example, :example would be converted to :value',
+ 'see_options' => 'See options',
+ 'invoice_counter' => 'Invoice Counter',
+ 'quote_counter' => 'Quote Counter',
+ 'type' => 'Type',
+ 'activity_1' => ':user ha creato il cliente :client',
+ 'activity_2' => ':user ha archiviato il cliente :client',
+ 'activity_3' => ':user deleted client :client',
+ 'activity_4' => ':user ha creato la fattura :invoice',
+ 'activity_5' => ':user ha aggiornato la fattura :invoice',
+ 'activity_6' => ':user ha inviato per email la fattura :invoice a :contact',
+ 'activity_7' => ':contact ha visto la fattura :invoice',
+ 'activity_8' => ':user ha archiviato la fattura :invoice',
+ 'activity_9' => ':user ha cancellato la fattura :invoice',
+ 'activity_10' => ':contact ha inserito il pagamento :payment per :invoice',
+ 'activity_11' => ':user ha aggiornato il pagamento :payment',
+ 'activity_12' => ':user ha archiviato il pagamento :payment',
+ 'activity_13' => ':user ha cancellato il pagamento :payment',
+ 'activity_14' => ':user entered :credit credit',
+ 'activity_15' => ':user updated :credit credit',
+ 'activity_16' => ':user archived :credit credit',
+ 'activity_17' => ':user deleted :credit credit',
+ 'activity_18' => ':user created quote :quote',
+ 'activity_19' => ':user updated quote :quote',
+ 'activity_20' => ':user emailed quote :quote to :contact',
+ 'activity_21' => ':contact ha visto il preventivo :quote',
+ 'activity_22' => ':user archived quote :quote',
+ 'activity_23' => ':user deleted quote :quote',
+ 'activity_24' => ':user restored quote :quote',
+ 'activity_25' => ':user restored invoice :invoice',
+ 'activity_26' => ':user restored client :client',
+ 'activity_27' => ':user restored payment :payment',
+ 'activity_28' => ':user restored :credit credit',
+ 'activity_29' => ':contact ha approvato la fattura :quote',
+ 'activity_30' => 'L\'utente :user ha creato il fornitore :vendor',
+ 'activity_31' => 'L\'utente :user ha archiviato il fornitore :vendor',
+ 'activity_32' => 'L\'utente :user ha eliminato il fornitore :vendor',
+ 'activity_33' => 'L\'utente :user ha ripristinato il fornitore :vendor',
+ 'activity_34' => 'L\'utente :user ha creato la spesa :expense',
+ 'activity_35' => 'L\'utente :user ha archiviato la spesa :expense',
+ 'activity_36' => 'L\'utente :user ha eliminato la spesa :expense',
+ 'activity_37' => 'L\'utente :user ha ripristinato la spesa :expense',
+ 'activity_42' => 'L\'utente :user ha creato l\'attività :task',
+ 'activity_43' => 'L\'utente :user ha aggiornato l\'attività :task',
+ 'activity_44' => 'L\'utente :user ha archiviato l\'attività :task',
+ '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',
+ 'payment' => 'Payment',
+ 'system' => 'System',
+ 'signature' => 'Email Signature',
+ 'default_messages' => 'Default Messages',
+ 'quote_terms' => 'Quote Terms',
+ 'default_quote_terms' => 'Default Quote Terms',
+ 'default_invoice_terms' => 'Salva termini come predefiniti',
+ 'default_invoice_footer' => 'Imposta il piè di pagina predefinito per le fatture',
+ 'quote_footer' => 'Piè di Pagina Preventivi',
+ 'free' => 'Free',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Apply Credit',
+ 'system_settings' => 'System Settings',
+ 'archive_token' => 'Archive Token',
+ 'archived_token' => 'Successfully archived token',
+ 'archive_user' => 'Archive User',
+ 'archived_user' => 'Successfully archived user',
+ 'archive_account_gateway' => 'Archive Gateway',
+ 'archived_account_gateway' => 'Successfully archived gateway',
+ 'archive_recurring_invoice' => 'Archive Recurring Invoice',
+ 'archived_recurring_invoice' => 'Successfully archived recurring invoice',
+ 'delete_recurring_invoice' => 'Delete Recurring Invoice',
+ 'deleted_recurring_invoice' => 'Successfully deleted recurring invoice',
+ 'restore_recurring_invoice' => 'Restore Recurring Invoice',
+ 'restored_recurring_invoice' => 'Successfully restored recurring invoice',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archived',
+ 'untitled_account' => 'Untitled Company',
+ 'before' => 'Before',
+ 'after' => 'After',
+ 'reset_terms_help' => 'Reset to the default account terms',
+ 'reset_footer_help' => 'Ripristina al Piè di Pagina predefinito',
+ 'export_data' => 'Export Data',
+ 'user' => 'User',
+ 'country' => 'Country',
+ 'include' => 'Include',
+ 'logo_too_large' => 'Your logo is :size, for better PDF performance we suggest uploading an image file less than 200KB',
+ 'import_freshbooks' => 'Import From FreshBooks',
+ 'import_data' => 'Import Data',
+ 'source' => 'Source',
+ 'csv' => 'CSV',
+ 'client_file' => 'Client File',
+ 'invoice_file' => 'Invoice File',
+ 'task_file' => 'Task File',
+ 'no_mapper' => 'No valid mapping for file',
+ 'invalid_csv_header' => 'Invalid CSV Header',
+ 'client_portal' => 'Client Portal',
+ 'admin' => 'Admin',
+ 'disabled' => 'Disabled',
+ 'show_archived_users' => 'Show archived users',
+ 'notes' => 'Notes',
+ 'invoice_will_create' => 'la fattura sarà creata',
+ 'invoices_will_create' => 'invoices will be created',
+ 'failed_to_import' => 'I seguenti record non sono stati importati; esistono già o mancano i campi obbligatori.',
+ 'publishable_key' => 'Publishable Key',
+ 'secret_key' => 'Secret Key',
+ 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process',
+ 'email_design' => 'Email Design',
+ 'due_by' => 'Scadenza :date',
+ 'enable_email_markup' => 'Enable Markup',
+ 'enable_email_markup_help' => 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
+ 'template_help_title' => 'Templates Help',
+ 'template_help_1' => 'Available variables:',
+ 'email_design_id' => 'Email Style',
+ 'email_design_help' => 'Rendi le tue email più professionali con i layout HTML.',
+ 'plain' => 'Plain',
+ 'light' => 'Light',
+ 'dark' => 'Dark',
+ 'industry_help' => 'Used to provide comparisons against the averages of companies of similar size and industry.',
+ 'subdomain_help' => 'Imposta il sottodominio o visualizza la fattura sul tuo sito web.',
+ 'website_help' => 'Mostra la fattura in un iFrame sul tuo sito web',
+ 'invoice_number_help' => 'Specifica un prefisso o usa un modello personalizzato per generare i numeri delle fatture dinamicamente.',
+ 'quote_number_help' => 'Specifica un prefisso o usa un modello personalizzato per generare i numeri dei preventivi dinamicamente.',
+ 'custom_client_fields_helps' => 'Aggiungi un campo quando crei un cliente e opzionalmente visualizzalo assieme al suo valore nel PDF.',
+ 'custom_account_fields_helps' => 'Add a label and value to the company details section of the PDF.',
+ 'custom_invoice_fields_helps' => 'Aggiungi un campo quando crei una fattura e opzionalmente visualizzalo assieme al suo valore nel PDF.',
+ 'custom_invoice_charges_helps' => 'Aggiungi un campo quando crei una fattura e includi il costo nel subtotale.',
+ 'token_expired' => 'Validation token was expired. Please try again.',
+ 'invoice_link' => 'Invoice Link',
+ 'button_confirmation_message' => 'Click to confirm your email address.',
+ 'confirm' => 'Confirm',
+ 'email_preferences' => 'Email Preferences',
+ 'created_invoices' => 'Successfully created :count invoice(s)',
+ 'next_invoice_number' => 'Il prossimo numero per le fatture è :number.',
+ 'next_quote_number' => 'Il prossimo numero per i preventivi è :number.',
+ 'days_before' => 'giorni prima di',
+ 'days_after' => 'giorni dopo di',
+ 'field_due_date' => 'due date',
+ 'field_invoice_date' => 'invoice date',
+ 'schedule' => 'Schedule',
+ 'email_designs' => 'Email Designs',
+ 'assigned_when_sent' => 'Assigned when sent',
+ 'white_label_purchase_link' => 'Purchase a white label license',
+ 'expense' => 'Spesa',
+ 'expenses' => 'Spese',
+ 'new_expense' => 'Inserisci spesa',
+ 'enter_expense' => 'Inserisci Spesa',
+ 'vendors' => 'Fornitori',
+ 'new_vendor' => 'Nuovo Fornitore',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Fornitore',
+ 'edit_vendor' => 'Modifica Fornitore',
+ 'archive_vendor' => 'Archivia Fornitore',
+ 'delete_vendor' => 'Cancella Fornitore ',
+ 'view_vendor' => 'Vedi Fornitore',
+ 'deleted_expense' => 'Successfully deleted expense',
+ 'archived_expense' => 'Successfully archived expense',
+ 'deleted_expenses' => 'Successfully deleted expenses',
+ 'archived_expenses' => 'Successfully archived expenses',
+ 'expense_amount' => 'Importo Spesa',
+ 'expense_balance' => 'Bilancio Spesa',
+ 'expense_date' => 'Data Spesa',
+ 'expense_should_be_invoiced' => 'Questa spesa deve essere fatturata?',
+ 'public_notes' => 'Note Pubbliche (Descrizione in fattura)',
+ 'invoice_amount' => 'Importo Fattura',
+ 'exchange_rate' => 'Tasso di Cambio',
+ 'yes' => 'Si',
+ 'no' => 'No',
+ 'should_be_invoiced' => 'Deve essere fatturata',
+ 'view_expense' => 'Vedi spesa # :expense',
+ 'edit_expense' => 'Modifica Spesa',
+ 'archive_expense' => 'Archivia Spesa',
+ 'delete_expense' => 'Cancella Spesa',
+ 'view_expense_num' => 'Spesa # :expense',
+ 'updated_expense' => 'Spesa aggiornata con successo',
+ 'created_expense' => 'Spesa creata con successo',
+ 'enter_expense' => 'Inserisci Spesa',
+ 'view' => 'Vedi',
+ 'restore_expense' => 'Ripristina Spesa',
+ 'invoice_expense' => 'Fattura Spesa',
+ 'expense_error_multiple_clients' => 'Le spese non possono appartenere a clienti differenti',
+ 'expense_error_invoiced' => 'La spesa è stata già fatturata',
+ 'convert_currency' => 'Converti valuta',
+ 'num_days' => 'Numero di Giorni',
+ 'create_payment_term' => 'Create Payment Term',
+ 'edit_payment_terms' => 'Edit Payment Term',
+ 'edit_payment_term' => 'Edit Payment Term',
+ 'archive_payment_term' => 'Archive Payment Term',
+ 'recurring_due_dates' => 'Recurring Invoice Due Dates',
+ '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.
+
+
',
+ 'due' => 'Due',
+ 'next_due_on' => 'Due Next: :date',
+ 'use_client_terms' => 'Usa i termini del cliente',
+ 'day_of_month' => ':ordinal giorno del mese',
+ 'last_day_of_month' => 'L\'ultimo giorno del mese',
+ 'day_of_week_after' => ':ordinal :day dopo',
+ 'sunday' => 'Domenica',
+ 'monday' => 'Lunedì',
+ 'tuesday' => 'Martedì',
+ 'wednesday' => 'Mercoledì',
+ 'thursday' => 'Giovedì',
+ 'friday' => 'Venerdì',
+ 'saturday' => 'Sabato',
+ 'header_font_id' => 'Header Font',
+ 'body_font_id' => 'Body Font',
+ 'color_font_help' => 'Nota: il colore principale e i caratteri vengono anche utilizzati nel portale del cliente e nei progetti di e-mail personalizzati.',
+ 'live_preview' => 'Anteprima Live',
+ 'invalid_mail_config' => 'Impossibile inviare e-mail, controlla che le impostazioni della posta siano corrette.',
+ 'invoice_message_button' => 'Per visualizzare la fattura :amount, clicca il bottone qui sotto.',
+ 'quote_message_button' => 'Per visualizzare il preventivo per :amount, fare clic sul pulsante qui sotto.',
+ 'payment_message_button' => 'Grazie per il pagamento di :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Conti corrente',
+ 'add_bank_account' => 'Nuovo conto corrente',
+ 'setup_account' => 'Setup Account',
+ 'import_expenses' => 'Importa Spese',
+ 'bank_id' => 'Banca',
+ 'integration_type' => 'Tipo di integrazione',
+ 'updated_bank_account' => 'Conto bancario aggiornato con successo',
+ 'edit_bank_account' => 'Modifica conto bancario',
+ 'archive_bank_account' => 'Archivio conto bancario',
+ 'archived_bank_account' => 'Conto bancario correttamente archiviato',
+ 'created_bank_account' => 'Conto bancario creato con successo',
+ 'validate_bank_account' => 'Convalida il conto bancario',
+ 'bank_password_help' => 'Nota: la tua password viene trasmessa in modo sicuro e mai memorizzata sui nostri server.',
+ 'bank_password_warning' => 'Attenzione: la tua password può essere trasmessa in testo normale, prendi in considerazione l\'abilitazione di HTTPS.',
+ 'username' => 'Username',
+ 'account_number' => 'Numero account',
+ 'account_name' => 'Nome utente',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Accettato',
+ 'quote_settings' => 'Impostazioni preventivo',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Converti automaticamente un preventivo in una fattura se approvato da un cliente.',
+ 'validate' => 'Validate',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Creato con successo :count_vendors fornitore(i) e :count_expenses spesa(e)',
+ 'iframe_url_help3' => 'Nota: se prevedi di accettare i dettagli delle carte di credito, ti consigliamo vivamente di abilitare HTTPS sul tuo sito.',
+ 'expense_error_multiple_currencies' => 'Le spese non possono avere valute diverse.',
+ 'expense_error_mismatch_currencies' => 'La valuta del cliente non corrisponde alla valuta di spesa.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Intestazione/Piè di Pagina',
+ 'first_page' => 'Prima pagina',
+ 'all_pages' => 'Tutte le pagine',
+ 'last_page' => 'Ultima pagina',
+ 'all_pages_header' => 'Mostra l\'Intestazione nel',
+ 'all_pages_footer' => 'Visualizza Piè di Pagina nel',
+ 'invoice_currency' => 'Valuta fattura',
+ 'enable_https' => 'Si consiglia vivamente di utilizzare HTTPS per accettare i dettagli della carta di credito online.',
+ 'quote_issued_to' => 'Preventivo emesso a',
+ 'show_currency_code' => 'Codice Valuta',
+ 'free_year_message' => 'Il tuo account è stato aggiornato al piano pro per un anno senza alcun costo.',
+ 'trial_message' => 'Il tuo account riceverà una prova gratuita di due settimane del nostro piano PRO.',
+ 'trial_footer' => 'La tua prova gratuita del piano PRO dura altri :count giorni, :link per eseguire l\'aggiornamento ora',
+ 'trial_footer_last_day' => 'Questo è l\'ultimo giorno di prova gratuita del tuo piano PRO, :link per aggiornarlo.',
+ 'trial_call_to_action' => 'Start Free Trial',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Overdue',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'Per modificare le impostazioni di notifiche via email per favore accedi a: :link',
+ 'reset_password_footer' => 'Se non sei stato tu a voler resettare la password per favore invia un\'email di assistenza a: :email',
+ 'limit_users' => 'Sorry, this will exceed the limit of :limit users',
+ 'more_designs_self_host_header' => 'Get 6 more invoice designs for just $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link per rimuovere il logo di Invoice Ninja aderendo al programma pro',
+ 'pro_plan_remove_logo_link' => 'Clicca qui',
+ 'invitation_status_sent' => 'Inviato',
+ 'invitation_status_opened' => 'Aperto',
+ 'invitation_status_viewed' => 'Visto',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Emails can not be sent to inactive invoices',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'List Invoices',
+ 'list_clients' => 'List Clients',
+ 'list_quotes' => 'List Quotes',
+ 'list_tasks' => 'List Tasks',
+ 'list_expenses' => 'List Expenses',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => 'List Payments',
+ 'list_credits' => 'List Credits',
+ 'tax_name' => 'Tax Name',
+ 'report_settings' => 'Report Settings',
+ 'search_hotkey' => 'shortcut is /',
+
+ 'new_user' => 'New User',
+ 'new_product' => 'New Product',
+ 'new_tax_rate' => 'New Tax Rate',
+ 'invoiced_amount' => 'Invoiced Amount',
+ 'invoice_item_fields' => 'Campi Oggetti Fattura',
+ 'custom_invoice_item_fields_help' => 'Aggiungi un campo quando crei una fattura e opzionalmente visualizzalo assieme al suo valore nel PDF.',
+ 'recurring_invoice_number' => 'Numero ricorrente',
+ 'recurring_invoice_number_prefix_help' => 'Specifica un prefisso da aggiungere alle fatture ricorrenti',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Fatture Protette da Password',
+ 'enable_portal_password_help' => 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
+ 'send_portal_password' => 'Generato Automaticamente',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Expired',
+ 'invalid_card_number' => 'Il numero della carta di credito non è valido',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Cost',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Owner',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Da versare (parziale)',
+ 'restore_vendor' => 'Ripristina Fornitore',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'Gennaio',
+ 'february' => 'Febbraio',
+ 'march' => 'Marzo',
+ 'april' => 'Aprile',
+ 'may' => 'Maggio',
+ 'june' => 'Giugno',
+ 'july' => 'Luglio',
+ 'august' => 'Agosto',
+ 'september' => 'Settembre',
+ 'october' => 'Ottobre',
+ 'november' => 'Novembre',
+ 'december' => 'Dicembre',
+
+ // Documents
+ 'documents_header' => 'Documents:',
+ 'email_documents_header' => 'Documents:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Allega Documenti',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Portale Clienti',
+ 'enable_client_portal_help' => 'Mostra/nascondi il portale clienti.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Mostra/nascondi la dashboard nel portale clienti.',
+
+ // Plans
+ 'account_management' => 'Account Management',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Monthly',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Month',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Anteprima Live',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'Elenco Fornitori',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Rimborsa Pagamento',
+ 'refund_max' => 'Massimo:',
+ 'refund' => 'Rimborso',
+ 'are_you_sure_refund' => 'Rimborsare il pagamento selezionato?',
+ 'status_pending' => 'In attesa',
+ 'status_completed' => 'Completato',
+ 'status_failed' => 'Fallito',
+ 'status_partially_refunded' => 'Parzialmente Rimborsata',
+ 'status_partially_refunded_amount' => ':amount Rimborsato',
+ 'status_refunded' => 'Rimborsata',
+ 'status_voided' => 'Cancellata',
+ 'refunded_payment' => 'Pagamento Rimborsato',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Sconosciuto',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Cambio',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Id Cliente',
+ 'secret' => 'Segreta',
+ 'public_key' => 'Chiave Pubblica',
+ 'plaid_optional' => '(opzionale)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Other Providers',
+ 'country_not_supported' => 'Il paese non è supportato',
+ 'invalid_routing_number' => 'The routing number is not valid.',
+ 'invalid_account_number' => 'Il numero dell\'account non è valido',
+ 'account_number_mismatch' => 'Il numero di conto non è uguale a quello già fornito.',
+ 'missing_account_holder_type' => 'Prego selezionare un conto individuale o aziendale.',
+ 'missing_account_holder_name' => 'Prego fornire il nome dell\'intestatario del conto.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Conferma il numero di conto.',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Conto aziendale.',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Aggiungi conto.',
+ 'payment_methods' => 'Metodi di Pagamento',
+ 'complete_verification' => 'Completa la Verifica',
+ 'verification_amount1' => 'Importo 1',
+ 'verification_amount2' => 'Importo 2',
+ 'payment_method_verified' => 'Verifica completata con successo',
+ 'verification_failed' => 'Verifica fallita',
+ 'remove_payment_method' => 'Rimuovi il metodo di pagamento',
+ 'confirm_remove_payment_method' => 'Sei sicuro di voler eliminare questo metodo di pagamento ?',
+ 'remove' => 'Elimina',
+ 'payment_method_removed' => 'Metodo di pagamento eliminato.',
+ 'bank_account_verification_help' => 'Abbiamo effettuato due depositi sul tuo conto con la descrizione "VERIFICATION". Questi depositi impiegheranno 1-2 giorni lavorativi perché tu li possa vedere. Per favore fornisci l\'importo qui sotto.',
+ 'bank_account_verification_next_steps' => 'Abbiamo effettuato due depositi sul tuo conto con la descrizione "VERIFICATION". Questi depositi impiegheranno 1-2 giorni lavorativi perché tu li possa vedere. Quando vedrai gli importi, torna nella pagina dei metodi di pagamento e seleziona "Complete Verification" vicino al tuo conto.',
+ 'unknown_bank' => 'Banca sconosciuta',
+ 'ach_verification_delay_help' => 'Dopo aver completato la verifica sarai in grado di usare l\'account. La verifica di solito ci impiega 1-2 giorni lavorativi.',
+ 'add_credit_card' => 'Aggiungi una carta di credito.',
+ 'payment_method_added' => 'Metodo di pagamento aggiunto.',
+ 'use_for_auto_bill' => 'Usa per pagamento automatico',
+ 'used_for_auto_bill' => 'Metodo di Pagamento per Pagamento Automatico',
+ 'payment_method_set_as_default' => 'Aggiungi metodo di pagamento ricorrente.',
+ 'activity_41' => 'pagamento di :payment_amount (:payment) fallito',
+ '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',
+ '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_manually' => 'Link Manuale',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Aggiungi un metodo di pagamento',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Permetti di aderire',
+ 'opt_out' => 'Permetti di non aderire, adesione preselezionata',
+ 'always' => 'Sempre',
+ 'opted_out' => 'Adesione ritirata',
+ 'opted_in' => 'Adesione effettuata',
+ 'manage_auto_bill' => 'Gestisci Pagamento Automatico',
+ 'enabled' => 'Abilitato',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Salva i dettagli del pagamento',
+ 'add_paypal_account' => 'Aggiungi un account Paypal',
+
+
+ 'no_payment_method_specified' => 'Nessun metodo di pagamento specificato',
+ 'chart_type' => 'Tipo di grafico',
+ 'format' => 'Formato',
+ 'import_ofx' => 'Importa OFX',
+ 'ofx_file' => 'File OFX',
+ 'ofx_parse_failed' => 'Analisi del file OFX fallita',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Iscriviti su WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Nome Azienda',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Rispedisci la mail di conferma',
+ 'manage_account' => 'Gestisci account',
+ 'action_required' => 'Richiesta azione',
+ 'finish_setup' => 'Finisci il setup',
+ 'created_wepay_confirmation_required' => 'Controlla la tua casella email e conferma l\'indirizzo con WePay',
+ 'switch_to_wepay' => 'Passa a WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Ripristina il Gateway',
+ 'restored_account_gateway' => 'Getaway ripristinato correttamente',
+ 'united_states' => 'Stati Uniti',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Sicurezza',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Attendere che il caricamento del documento sia completato. ',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Product File',
+ 'import_products' => 'Importa Prodotti',
+ 'products_will_create' => 'prodotti saranno creati',
+ 'product_key' => 'Prodotto',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'Vedi Dashboard',
+ 'client_session_expired' => 'Sessione Scaduta',
+ 'client_session_expired_message' => 'La tua sessione è scaduta. Pre favore clicca di nuovo il link nella tua email.',
+
+ 'auto_bill_notification' => 'Questa fattura sarà pagata automaticamente con :payment_method il :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'conto bancario',
+ 'auto_bill_payment_method_credit_card' => 'carta di credito',
+ 'auto_bill_payment_method_paypal' => 'Conto PayPal',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Impostazioni di Pagamento',
+
+ 'on_send_date' => 'Alla data di invio',
+ 'on_due_date' => 'Alla data di scadenza',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'COnto bancario',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privacy Policy',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ '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.',
+ 'more_options' => 'Altre opzioni',
+ 'credit_card' => 'Carta di Credito',
+ 'bank_transfer' => 'Bonifico Bancario',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Added :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'Questo Gateway esiste già',
+ 'manual_entry' => 'Inserimento manuale',
+ 'start_of_week' => 'Primo giorno della settimana',
+
+ // Frequencies
+ 'freq_inactive' => 'Inattivo',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Settimanale',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Due settimane',
+ 'freq_four_weeks' => 'Quattro settimane',
+ 'freq_monthly' => 'Mensile',
+ 'freq_three_months' => 'Tre Mesi',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Sei Mesi',
+ 'freq_annually' => 'Annuale',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Applica Credito',
+ 'payment_type_Bank Transfer' => 'Bonifico Bancario',
+ 'payment_type_Cash' => 'Contanti',
+ 'payment_type_Debit' => 'Debito',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Carta Visa',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Carta Discover',
+ 'payment_type_Diners Card' => 'Carta Diners',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Altra Carta di Credito',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Assegno',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'Addebito diretto SEPA',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Pubblicità',
+ 'industry_Aerospace' => 'Aerospaziale',
+ 'industry_Agriculture' => 'Agricoltura',
+ 'industry_Automotive' => 'Automobilistico',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotecnologie',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Difesa',
+ 'industry_Energy' => 'Energia',
+ 'industry_Entertainment' => 'Intrattenimento',
+ 'industry_Government' => 'Governo',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Assicurazione',
+ 'industry_Manufacturing' => 'Manifatturiero',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Farmaceutico',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Immobiliare',
+ 'industry_Restaurant & Catering' => 'Ristorazione & Catering',
+ 'industry_Retail & Wholesale' => 'Vendita al dettaglio & Vendita all\'ingrosso',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Trasporti',
+ 'industry_Travel & Luxury' => 'Viaggi & Lusso',
+ 'industry_Other' => 'Altro',
+ 'industry_Photography' => 'Fotografia',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antartide',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ '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_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brasile',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Isole Solomone',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Bielorussia',
+ 'country_Cambodia' => 'Cambogia',
+ 'country_Cameroon' => 'Camerun',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Isole Cayman',
+ 'country_Central African Republic' => 'Repubblica di Centro Africa',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ '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_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo',
+ 'country_Cook Islands' => 'Isola di Cook',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croazia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cipro',
+ 'country_Czech Republic' => 'Repubblica Ceca',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Danimarca',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Repubblica Dominicana',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ '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_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finlandia',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'Francia',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ '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_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_Holy See (Vatican City State)' => 'Città del Vaticano',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Ungheria',
+ 'country_Iceland' => 'Islanda',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israele',
+ 'country_Italy' => 'Italia',
+ 'country_Côte d\'Ivoire' => 'Costa d\'Avorio',
+ 'country_Jamaica' => 'Giamaica',
+ 'country_Japan' => 'Giappone',
+ '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_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Libano',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Lettonia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libia',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lituania',
+ 'country_Luxembourg' => 'Lussemburgo',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malesia',
+ 'country_Maldives' => 'Maldive',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Messico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Olanda',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'Nuova Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'Nuova Zelanda',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua Nuova Guinea',
+ 'country_Paraguay' => 'Paraguai',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Filippine',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Polonia',
+ 'country_Portugal' => 'ortogallo',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Porto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Arabia Saudita',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovacchia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'Sud Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spagna',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Svezia',
+ 'country_Switzerland' => 'Svizzera',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turchia',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ucraina',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ '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_United States' => 'Stati Uniti',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ '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_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brasiliano Portoghese',
+ 'lang_Croatian' => 'Croato',
+ 'lang_Czech' => 'Ceco',
+ 'lang_Danish' => 'Danese',
+ 'lang_Dutch' => 'Olandese',
+ 'lang_English' => 'Inglese',
+ 'lang_French' => 'Francese',
+ 'lang_French - Canada' => 'Francese Canada',
+ 'lang_German' => 'Tedesco',
+ 'lang_Italian' => 'Italiano',
+ 'lang_Japanese' => 'Giapponese',
+ 'lang_Lithuanian' => 'Lituano',
+ 'lang_Norwegian' => 'Norvegese',
+ 'lang_Polish' => 'Olacco',
+ 'lang_Spanish' => 'Spagnolo',
+ 'lang_Spanish - Spain' => 'Spagnolo - Spagna',
+ 'lang_Swedish' => 'Svedese',
+ 'lang_Albanian' => 'Albanese',
+ 'lang_Greek' => 'Greco',
+ 'lang_English - United Kingdom' => 'Inglese - Regno Unito',
+ 'lang_Slovenian' => 'Slovacco',
+ 'lang_Finnish' => 'Finlandese',
+ 'lang_Romanian' => 'Romeno',
+ 'lang_Turkish - Turkey' => 'Turco',
+ 'lang_Portuguese - Brazilian' => 'Portoghese - Brasiliano',
+ 'lang_Portuguese - Portugal' => 'Portoghese - Portogallo',
+ 'lang_Thai' => 'Thailandese',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Pubblicità',
+ 'industry_Aerospace' => 'Aerospaziale',
+ 'industry_Agriculture' => 'Agricoltura',
+ 'industry_Automotive' => 'Automobilistico',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotecnologie',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Difesa',
+ 'industry_Energy' => 'Energia',
+ 'industry_Entertainment' => 'Intrattenimento',
+ 'industry_Government' => 'Governo',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Assicurazione',
+ 'industry_Manufacturing' => 'Manifatturiero',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Farmaceutico',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Immobiliare',
+ 'industry_Retail & Wholesale' => 'Vendita al dettaglio & Vendita all\'ingrosso',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Trasporti',
+ 'industry_Travel & Luxury' => 'Viaggi & Lusso',
+ 'industry_Other' => 'Altro',
+ 'industry_Photography' =>'Fotografia',
+
+ 'view_client_portal' => 'Visualizza il portale del cliente',
+ 'view_portal' => 'Visualizza il portale',
+ 'vendor_contacts' => 'Contatti del Fornitore',
+ 'all' => 'Tutti',
+ 'selected' => 'Selezionato',
+ 'category' => 'Categoria',
+ 'categories' => 'Categorie',
+ 'new_expense_category' => 'Nuova Categoria di Spesa',
+ 'edit_category' => 'Modifica Categoria',
+ 'archive_expense_category' => 'Archivia Categoria',
+ 'expense_categories' => 'Categorie di Spesa',
+ 'list_expense_categories' => 'Lista Categorie di Spesa',
+ 'updated_expense_category' => 'Categoria spese aggiornata con successo',
+ 'created_expense_category' => 'Categoria spese creata con successo',
+ 'archived_expense_category' => 'Categoria spese archiviata con successo',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Ripristina categoria spese',
+ 'restored_expense_category' => 'Categoria spese ripristinata con successo',
+ 'apply_taxes' => 'Applica Tasse',
+ 'min_to_max_users' => ':min to :max users',
+ 'max_users_reached' => 'E\' stato raggiunto il massimo numero di utenti',
+ 'buy_now_buttons' => 'Puslanti Compra Ora',
+ 'landing_page' => 'Landing Page',
+ 'payment_type' => 'Tipo di Pagamento',
+ 'form' => 'Modulo',
+ 'link' => 'Collegamento',
+ 'fields' => 'Campi',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Nota: il cliente e la fattura sono creati anche se la transazione non è completata.',
+ 'buy_now_buttons_disabled' => 'Questa funzione richiede che almeno un prodotto e un getaway di pagamento siano configurati.',
+ 'enable_buy_now_buttons_help' => 'Abilita supporto per il bottoni Compra Ora',
+ 'changes_take_effect_immediately' => 'Nota: i cambiamenti hanno effetto immediatamente',
+ 'wepay_account_description' => 'Gateway di pagamento per Invoice Ninja',
+ 'payment_error_code' => 'C\'è stato un errore nella gestione del tuo pagamento [:code]. Per favore prova tra qualche minuto.',
+ 'standard_fees_apply' => 'Commissione: 2,9%/1,2% [Carta di Credito/Trasferimento Bancario] + 0,30€ per ogni transazione eseguita con successo.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Qualcosa è andato storto',
+ 'error_contact_text' => 'Se ci vuoi aiutare per favore mandaci una mail a: :mailaddress',
+ 'no_undo' => 'Attenzione: non si può recuperare',
+ 'no_contact_selected' => 'Per favore seleziona un contatto',
+ 'no_client_selected' => 'Per favore seleziona un cliente',
+
+ 'gateway_config_error' => 'Potrebbe essere utile impostare una nuova password o generare una nuova chiave API',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Fattura :invoice per :client',
+ 'intent_not_found' => 'Mi dispiace, non sono sicuro di quello che stai chiedendo.',
+ 'intent_not_supported' => 'Mi dispiace, non sono in grado di farlo.',
+ 'client_not_found' => 'Non posso trovare il cliente',
+ 'not_allowed' => 'Mi dispiace, non hai il permesso richiesto',
+ 'bot_emailed_invoice' => 'La tua fattura è stata spedita',
+ 'bot_emailed_notify_viewed' => 'Ti mando una mail quando è stata visualizzata.',
+ '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_code' => 'Grazie! Ti ho inviato un\'email con il tuo codice di sicurezza',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'Il codice non è corretto',
+ 'security_code_email_subject' => 'Codice di sicurezza per il Bot Invoice Ninja',
+ 'security_code_email_line1' => 'Questo è il codice di sicurezza del tuo Bot Invoice Ninja',
+ 'security_code_email_line2' => 'Nota: scadrà in 10 minuti',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'Lista prodotti',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Nota: supportiamo un gateway per le carte di credito per ogni società',
+
+ 'warning' => 'Attenzione',
+ 'self-update' => 'Aggiorna',
+ 'update_invoiceninja_title' => 'Aggiorna Invoice Ninja',
+ '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_update_start' => 'Aggiorna ora',
+ 'update_invoiceninja_download_start' => 'Scarica :version',
+ 'create_new' => 'Crea Nuovo',
+
+ 'toggle_navigation' => 'Apri/Chiudi Navigazione',
+ 'toggle_history' => 'Apri/chiudi Storico',
+ 'unassigned' => 'Non assegnato',
+ 'task' => 'Task',
+ 'contact_name' => 'Nome Contatto',
+ 'city_state_postal' => 'Città/Stato/CAP',
+ 'custom_field' => 'Campo Personalizzato',
+ 'account_fields' => 'Campi Azienda',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Cliente senza nome',
+
+ 'day' => 'GIorno',
+ 'week' => 'Settimana',
+ 'month' => 'Mese',
+ 'inactive_logout' => 'Disconnessione per inattività',
+ 'reports' => 'Reports',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limite',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'Senza Limiti',
+ 'set_limits' => 'Setta i limite per :gateway_type',
+ 'enable_min' => 'Attiva minimo',
+ 'enable_max' => 'Attiva massimo',
+ 'min' => 'Min',
+ 'max' => 'ax',
+ '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',
+ 'update' => 'Aggiorna',
+ 'invoice_fields_help' => 'Spostali per cambiare ordine e posizione',
+ 'new_category' => 'Nuova Categoria',
+ 'restore_product' => 'Ripristina Prodotto',
+ 'blank' => 'Vuoto',
+ 'invoice_save_error' => 'C\'è stato un errore durante il salvataggio della fattura',
+ 'enable_recurring' => 'Attiva Ricorrenza',
+ 'disable_recurring' => 'Disattiva Ricorrenza',
+ 'text' => 'Testo',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Aiutaci a migliorare le traduzioni con :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Simbolo',
+ 'currency_code' => 'Codice',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Moduli',
+ 'financial_year_start' => 'Primo mese dell\'anno',
+ 'authentication' => 'Autenticazione',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Firma',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Setta come obbligatoria l\'accettazione dei termini della fattura.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Setta come obbligatoria l\'accettazione dei termini del preventivo.',
+ 'require_invoice_signature' => 'Firma Fattura',
+ 'require_invoice_signature_help' => 'Richiedi al cliente di firmare la fattura.',
+ 'require_quote_signature' => 'Firma Bozza',
+ 'require_quote_signature_help' => 'Richiedi al cliente di firmare il preventivo.',
+ 'i_agree' => 'Accetto i Termini',
+ 'sign_here' => 'Per favore firma qui:',
+ 'authorization' => 'Autorizzazione',
+ 'signed' => 'Firmato',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Crea un account',
+ 'quote_types' => 'Ricevi un preventivo per',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Guadagno Annuale',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'Devi sceglierne almeno uno',
+ 'bluevine_field_required' => 'Questo campo è obbligatorio',
+ 'bluevine_unexpected_error' => 'Errore inaspettato!',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Commissione Minima',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Fornitore',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Progetto',
+ 'projects' => 'Progetti',
+ 'new_project' => 'Nuovo Progetto',
+ 'edit_project' => 'Modifica Progetto',
+ 'archive_project' => 'Archivia Progetto',
+ 'list_projects' => 'Lista Progetti',
+ 'updated_project' => 'Progetto aggiornato con successo',
+ 'created_project' => 'Progetto creato con successo',
+ 'archived_project' => 'Progetto archiviato con successo',
+ 'archived_projects' => ':count progetti archiviati con successo',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Progetto ripristinato con successo',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Progetto eliminato con successo',
+ 'deleted_projects' => ':count progetti eliminati con successo',
+ 'delete_expense_category' => 'Elimina categoria',
+ 'deleted_expense_category' => 'Categoria eliminata con successo',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Prodotto eliminato con successo',
+ 'deleted_products' => ':count prodotti eliminati con successo',
+ 'restored_product' => 'Prodotto ripristinato con successo',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Evita il download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Specifica un URL su cui redirigere dopo il pagamento (Opzionale)',
+ 'save_draft' => 'Salva Bozza',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'Nuovo ...',
+ 'list_...' => 'Lista ...',
+ 'created_at' => 'Data creata',
+ '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',
+ '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' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Ultimi 7 giorni',
+ 'last_30_days' => 'Ultimi 30 giorni',
+ 'this_month' => 'Questo mese',
+ 'last_month' => 'Mese scorso',
+ '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.',
+ '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.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusiva',
+ 'exclusive' => 'Esclusiva',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ '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.',
+ 'generated_numbers' => 'Genera numeri',
+ 'notes_reminder1' => 'Primo promemoria',
+ 'notes_reminder2' => 'Secondo promemoria',
+ 'notes_reminder3' => 'Terzo promemoria',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Fatture inviate con successo',
+ 'emailed_quotes' => 'Preventivi inviati con successo',
+ 'website_url' => 'URL SitoWeb',
+ 'domain' => 'Dominio',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Importa fatture',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Colonne',
+ 'filters' => 'Filtri',
+ 'sort_by' => 'Ordina per',
+ 'draft' => 'Bozza',
+ 'unpaid' => 'Non pagata',
+ 'aging' => 'Aging',
+ 'age' => 'Età',
+ 'days' => 'Giorni',
+ 'age_group_0' => '0 - 30 Giorni',
+ 'age_group_30' => '30 - 60 Giorni',
+ 'age_group_60' => '60 - 90 Giorni',
+ 'age_group_90' => '90 - 120 Giorni',
+ 'age_group_120' => '120+ Giorni',
+ 'invoice_details' => 'Dettagli fattura',
+ 'qty' => 'Quantità',
+ 'profit_and_loss' => 'Utile e Perdite',
+ 'revenue' => 'Entrate',
+ 'profit' => 'Utile',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Raggruppa Date per',
+ 'year' => 'Anno',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Invia Automaticamente',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'Questa fattura non è stata invia via mail.',
+ 'quote_not_emailed' => 'Questo preventivo non è stato inviato via mail.',
+ 'sent_by' => 'Inviato da :user',
+ 'recipients' => 'Destinatari',
+ 'save_as_default' => 'Salva come predefinito',
+ 'template' => 'Modelli',
+ '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.',
+ 'this_year' => 'Quest\'anno',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Iscriviti ora',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Crea un account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Nome Completo',
+ 'month_year' => 'MESE/ANNO',
+ 'valid_thru' => 'Valida fino a',
+
+ 'product_fields' => 'Campi Prodotto',
+ 'custom_product_fields_help' => 'Aggiungi un campo quando crei un prodotto o fattura e visualizzalo assieme al suo valore nel PDF.',
+ 'freq_two_months' => 'Due mesi',
+ 'freq_yearly' => 'Annualmente',
+ 'profile' => 'Profilo',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Personalizza opzioni',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Re-invia invito ',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Crea un Progetto',
+ 'create_vendor' => 'Crea fornitore',
+ 'create_expense_category' => 'Crea una categoria',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limiti',
+ 'fees' => 'Commissioni',
+ 'fee' => 'Commissione',
+ 'set_limits_fees' => 'Configura i limiti/commissioni del :gateway_type',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percentuale',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Commissione Getaway',
+ 'fees_disabled' => 'Commissioni disabilitate',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Dati',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Resetta contatori',
+ 'next_reset' => 'Prossimo reset',
+ 'reset_counter_help' => 'Resetta automaticamente i contatori delle fatture e dei preventivi.',
+ 'auto_bill_failed' => 'Auto-fatturazione fallita per la fattura :invoice_number',
+ 'online_payment_discount' => 'Sconto pagamento online',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Nota di Credito',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Numerazione Crediti',
+ 'create_credit_note' => 'Crea Nota di Credito',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Proibito',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Indirizzo di Risposta mail',
+ 'reply_to_email_help' => 'Specifica l\'indirizzo a cui può rispondere il cliente',
+ 'bcc_email_help' => 'Includi un indirizzo nascosto che riceverà le mail',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ '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',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Segna come pagato',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Design Personalizzato 1',
+ 'custom_design2' => 'Design Personalizzato 2',
+ 'custom_design3' => 'Design Personalizzato 3',
+ 'empty' => 'Vuoto',
+ 'load_design' => 'Carica Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Opzioni',
+ 'credit_number_help' => 'Specifica un prefisso o usa un modello personalizzato per generare dinamicamente i numeri dei crediti per le fatture negative.',
+ 'next_credit_number' => 'Il prossimo numero per i crediti è :number.',
+ 'padding_help' => 'Il numero di cifre che compongono il numero.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Assicurati di stare usanto la versione Inglese dei file.
Usiamo le instestazioni delle colonne come corrispondenza per i campi.',
+ 'tax1' => 'Prima Tassa',
+ 'tax2' => 'Seconda Tassa',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Modelli',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/it/validation.php b/resources/lang/it/validation.php
new file mode 100644
index 000000000000..98490593e021
--- /dev/null
+++ b/resources/lang/it/validation.php
@@ -0,0 +1,111 @@
+ ":attribute deve essere accettato.",
+ "active_url" => ":attribute non è un URL valido.",
+ "after" => ":attribute deve essere una data successiva al :date.",
+ "alpha" => ":attribute può contenere solo lettere.",
+ "alpha_dash" => ":attribute può contenere solo lettere, numeri e trattini.",
+ "alpha_num" => ":attribute può contenere solo lettere e numeri.",
+ "array" => ":attribute deve essere un array.",
+ "before" => ":attribute deve essere una data precedente al :date.",
+ "between" => array(
+ "numeric" => ":attribute deve trovarsi tra :min - :max.",
+ "file" => ":attribute deve trovarsi tra :min - :max kilobytes.",
+ "string" => ":attribute deve trovarsi tra :min - :max caratteri.",
+ "array" => ":attribute deve avere tra :min - :max elementi.",
+ ),
+ "confirmed" => "Il campo di conferma per :attribute non coincide.",
+ "date" => ":attribute non è una data valida.",
+ "date_format" => ":attribute non coincide con il formato :format.",
+ "different" => ":attribute e :other devono essere differenti.",
+ "digits" => ":attribute deve essere di :digits cifre.",
+ "digits_between" => ":attribute deve essere tra :min e :max cifre.",
+ "email" => ":attribute non è valido.",
+ "exists" => ":attribute selezionato/a non è valido.",
+ "image" => ":attribute deve essere un'immagine.",
+ "in" => ":attribute selezionato non è valido.",
+ "integer" => ":attribute deve essere intero.",
+ "ip" => ":attribute deve essere un indirizzo IP valido.",
+ "max" => array(
+ "numeric" => ":attribute deve essere minore di :max.",
+ "file" => ":attribute non deve essere più grande di :max kilobytes.",
+ "string" => ":attribute non può contenere più di :max caratteri.",
+ "array" => ":attribute non può avere più di :max elementi.",
+ ),
+ "mimes" => ":attribute deve essere del tipo: :values.",
+ "min" => array(
+ "numeric" => ":attribute deve valere almeno :min.",
+ "file" => ":attribute deve essere più grande di :min kilobytes.",
+ "string" => ":attribute deve contenere almeno :min caratteri.",
+ "array" => ":attribute deve avere almeno :min elementi.",
+ ),
+ "not_in" => "Il valore selezionato per :attribute non è valido.",
+ "numeric" => ":attribute deve essere un numero.",
+ "regex" => "Il formato del campo :attribute non è valido.",
+ "required" => ":attribute è richiesto.",
+ "required_if" => "Il campo :attribute è richiesto quando :other è :value.",
+ "required_with" => "Il campo :attribute è richiesto quando :values è presente.",
+ "required_with_all" => "The :attribute field is required when :values is present.",
+ "required_without" => "Il campo :attribute è richiesto quando :values non è presente.",
+ "required_without_all" => "The :attribute field is required when none of :values are present.",
+ "same" => ":attribute e :other devono coincidere.",
+ "size" => array(
+ "numeric" => ":attribute deve valere :size.",
+ "file" => ":attribute deve essere grande :size kilobytes.",
+ "string" => ":attribute deve contenere :size caratteri.",
+ "array" => ":attribute deve contenere :size elementi.",
+ ),
+ "unique" => ":attribute è stato già utilizzato.",
+ "url" => ":attribute deve essere un URL.",
+
+ "positive" => "The :attribute must be greater than zero.",
+ "has_credit" => "The client does not have enough credit.",
+ "notmasked" => "The values are masked",
+ "less_than" => 'The :attribute must be less than :value',
+ "has_counter" => 'The value must contain {$counter}',
+ "valid_contacts" => "All of the contacts must have either an email or name",
+ "valid_invoice_items" => "The invoice exceeds the maximum amount",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(
+ 'attribute-name' => array(
+ 'rule-name' => 'custom-message',
+ ),
+ ),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(),
+
+);
diff --git a/resources/lang/ja/pagination.php b/resources/lang/ja/pagination.php
new file mode 100644
index 000000000000..57e5dea529dd
--- /dev/null
+++ b/resources/lang/ja/pagination.php
@@ -0,0 +1,20 @@
+ '« 前へ',
+
+ 'next' => '次へ »',
+
+);
diff --git a/resources/lang/ja/passwords.php b/resources/lang/ja/passwords.php
new file mode 100644
index 000000000000..c1901734d19a
--- /dev/null
+++ b/resources/lang/ja/passwords.php
@@ -0,0 +1,22 @@
+ "パスワードは6文字以上必要です。またパスワードの確認と一致している必要があります。",
+ "user" => "そのEメールアドレスのユーザは存在しません。",
+ "token" => "このパスワード・リセット・トークンは正しくありません。",
+ "sent" => "パスワードリセットのためのリンクをメールしました!",
+ "reset" => "パスワードはリセットされました!",
+
+];
diff --git a/resources/lang/ja/reminders.php b/resources/lang/ja/reminders.php
new file mode 100644
index 000000000000..22248f4acab2
--- /dev/null
+++ b/resources/lang/ja/reminders.php
@@ -0,0 +1,24 @@
+ "パスワードは6文字以上必要です。またパスワードの確認と一致している必要があります。",
+
+ "user" => "そのEメールアドレスのユーザは存在しません。",
+
+ "token" => "このパスワード・リセット・トークンは正しくありません。",
+
+ "sent" => "パスワードリマインダーが送信されました!",
+
+);
diff --git a/resources/lang/ja/texts.php b/resources/lang/ja/texts.php
new file mode 100644
index 000000000000..1acca9426f34
--- /dev/null
+++ b/resources/lang/ja/texts.php
@@ -0,0 +1,2872 @@
+ '組織',
+ 'name' => '名前',
+ 'website' => 'WEBサイト',
+ 'work_phone' => '電話番号',
+ 'address' => '住所',
+ 'address1' => '番地',
+ 'address2' => '建物',
+ 'city' => '市区町村',
+ 'state' => '都道府県',
+ 'postal_code' => '郵便番号',
+ 'country_id' => '国',
+ 'contacts' => 'contacts',
+ 'first_name' => '名',
+ 'last_name' => '姓',
+ 'phone' => '電話',
+ 'email' => 'Eメール',
+ 'additional_info' => '追加情報',
+ 'payment_terms' => 'Payment Terms',
+ 'currency_id' => '通貨',
+ 'size_id' => '会社の規模',
+ 'industry_id' => '業種',
+ 'private_notes' => 'Private Notes',
+ 'invoice' => '請求書',
+ 'client' => '顧客',
+ 'invoice_date' => '請求日',
+ 'due_date' => '支払日',
+ 'invoice_number' => '請求書番号',
+ 'invoice_number_short' => '請求番号 #',
+ 'po_number' => 'PO番号',
+ 'po_number_short' => 'PO #',
+ 'frequency_id' => '頻度',
+ 'discount' => '値引き',
+ 'taxes' => '税',
+ 'tax' => '税',
+ 'item' => 'アイテム',
+ 'description' => '説明',
+ 'unit_cost' => '単価',
+ 'quantity' => '数量',
+ 'line_total' => 'Line Total',
+ 'subtotal' => '小計',
+ 'paid_to_date' => 'Paid to Date',
+ 'balance_due' => 'Balance Due',
+ 'invoice_design_id' => 'デザイン',
+ 'terms' => 'Terms',
+ 'your_invoice' => 'Your Invoice',
+ 'remove_contact' => '連絡先の削除',
+ 'add_contact' => '連絡先の追加',
+ 'create_new_client' => '顧客の新規作成',
+ 'edit_client_details' => '顧客情報の編集',
+ 'enable' => 'Enable',
+ 'learn_more' => 'Learn more',
+ 'manage_rates' => '料率を管理',
+ 'note_to_client' => 'Note to Client',
+ 'invoice_terms' => 'Invoice Terms',
+ 'save_as_default_terms' => 'Save as default terms',
+ 'download_pdf' => 'PDFダウンロード',
+ 'pay_now' => 'Pay Now',
+ 'save_invoice' => '請求書を保存',
+ 'clone_invoice' => 'Clone To Invoice',
+ 'archive_invoice' => '請求書をアーカイブ',
+ 'delete_invoice' => '請求書を削除',
+ 'email_invoice' => '請求書をメールする',
+ 'enter_payment' => '入金を登録',
+ 'tax_rates' => '税率',
+ 'rate' => '率',
+ 'settings' => '設定',
+ 'enable_invoice_tax' => 'Enable specifying an invoice tax',
+ 'enable_line_item_tax' => 'Enable specifying line item taxes',
+ 'dashboard' => 'ダッシュボード',
+ 'clients' => '顧客',
+ 'invoices' => '請求書',
+ 'payments' => '入金',
+ 'credits' => '前受金',
+ 'history' => '履歴',
+ 'search' => '検索',
+ 'sign_up' => 'サインアップ',
+ 'guest' => 'ゲスト',
+ 'company_details' => '企業情報',
+ 'online_payments' => 'オンライン入金',
+ 'notifications' => 'Notifications',
+ 'import_export' => 'インポート | エクスポート | キャンセル',
+ 'done' => '完了',
+ 'save' => '保存',
+ 'create' => 'Create',
+ 'upload' => 'アップロード',
+ 'import' => 'インポート',
+ 'download' => 'ダウンロード',
+ 'cancel' => 'キャンセル',
+ 'close' => '閉じる',
+ 'provide_email' => '正しいEメールアドレスを入力してください。',
+ 'powered_by' => 'Powered by',
+ 'no_items' => 'アイテム無し',
+ 'recurring_invoices' => '繰り返しの請求書',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'in total revenue',
+ 'billed_client' => 'billed client',
+ 'billed_clients' => 'billed clients',
+ 'active_client' => 'active client',
+ 'active_clients' => 'active clients',
+ 'invoices_past_due' => 'Invoices Past Due',
+ 'upcoming_invoices' => 'Upcoming Invoices',
+ 'average_invoice' => 'Average Invoice',
+ 'archive' => 'アーカイブ',
+ 'delete' => '削除',
+ 'archive_client' => '顧客をアーカイブ',
+ 'delete_client' => '顧客を削除',
+ 'archive_payment' => '入金をアーカイブ',
+ 'delete_payment' => '入金を削除',
+ 'archive_credit' => '前受金をアーカイブ',
+ 'delete_credit' => '前受金を削除',
+ 'show_archived_deleted' => 'アーカイブまたは削除された以下のものを表示:',
+ 'filter' => 'フィルター',
+ 'new_client' => '新しい顧客',
+ 'new_invoice' => '新しい請求書',
+ 'new_payment' => 'Enter Payment',
+ 'new_credit' => 'Enter Credit',
+ 'contact' => 'Contact',
+ 'date_created' => '作成日',
+ 'last_login' => '最終ログイン',
+ 'balance' => 'バランス',
+ 'action' => 'アクション',
+ 'status' => 'ステータス',
+ 'invoice_total' => '請求合計',
+ 'frequency' => '頻度',
+ 'start_date' => '開始日',
+ 'end_date' => '終了日',
+ 'transaction_reference' => 'Transaction Reference',
+ 'method' => '方法',
+ 'payment_amount' => '入金額',
+ 'payment_date' => '支払日',
+ 'credit_amount' => '前受金額',
+ 'credit_balance' => '前受金残高',
+ 'credit_date' => '前受日付',
+ 'empty_table' => 'このテーブルに利用可能なデータはありません。',
+ 'select' => 'Select',
+ 'edit_client' => '顧客を編集',
+ 'edit_invoice' => '請求を編集',
+ 'create_invoice' => '請求を新規作成',
+ 'enter_credit' => '前受金を登録',
+ 'last_logged_in' => '最終ログイン:',
+ 'details' => '詳細',
+ 'standing' => 'Standing',
+ 'credit' => 'Credit',
+ 'activity' => 'アクティビティ',
+ 'date' => '日付',
+ 'message' => 'メッセージ',
+ 'adjustment' => '調整',
+ 'are_you_sure' => 'よろしいですか?',
+ 'payment_type_id' => '入金方法',
+ 'amount' => '金額',
+ 'work_email' => 'Eメール',
+ 'language_id' => '言語',
+ 'timezone_id' => 'タイムゾーン',
+ 'date_format_id' => '日付フォーマット',
+ 'datetime_format_id' => '日時 フォーマット',
+ 'users' => 'ユーザー',
+ 'localization' => '地域設定',
+ 'remove_logo' => 'ロゴを削除',
+ 'logo_help' => '利用可能フォーマット: JPEG, GIF and PNG',
+ 'payment_gateway' => '決済プロバイダ',
+ 'gateway_id' => '決済プロバイダ',
+ 'email_notifications' => 'Eメール通知',
+ 'email_sent' => 'Email me when an invoice is sent',
+ 'email_viewed' => 'Email me when an invoice is viewed',
+ 'email_paid' => 'Email me when an invoice is paid',
+ 'site_updates' => 'Site Updates',
+ 'custom_messages' => 'カスタム・メッセージ',
+ 'default_email_footer' => 'デフォルトのEメール署名を設定',
+ 'select_file' => 'ファイルを選択してください。',
+ 'first_row_headers' => '1行目をヘッダーとして扱う',
+ 'column' => 'カラム',
+ 'sample' => 'サンプル',
+ 'import_to' => 'Import to',
+ 'client_will_create' => '顧客が登録されます',
+ 'clients_will_create' => '顧客が登録されます',
+ 'email_settings' => 'Eメール設定',
+ 'client_view_styling' => 'Client View Styling',
+ 'pdf_email_attachment' => 'Attach PDF',
+ 'custom_css' => 'カスタムCSS',
+ 'import_clients' => '顧客データをインポート',
+ 'csv_file' => 'CSVファイル',
+ 'export_clients' => '顧客データをエクスポート',
+ 'created_client' => '顧客を登録しました。',
+ 'created_clients' => ' :count 件の顧客を登録しました。',
+ 'updated_settings' => '設定を更新しました。',
+ 'removed_logo' => 'ロゴを削除しました。',
+ 'sent_message' => 'メッセージを送信しました。',
+ 'invoice_error' => '顧客を選択し、エラーを修正したことを確認してください。',
+ 'limit_clients' => 'Sorry, this will exceed the limit of :count clients',
+ 'payment_error' => 'There was an error processing your payment. Please try again later.',
+ 'registration_required' => 'Please sign up to email an invoice',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => '顧客を更新しました。',
+ 'created_client' => '顧客を登録しました。',
+ 'archived_client' => '顧客をアーカイブしました。',
+ 'archived_clients' => ':count 件の顧客をアーカイブしました。',
+ 'deleted_client' => '顧客を削除しました。',
+ 'deleted_clients' => ':count 県の顧客を削除しました。',
+ 'updated_invoice' => '請求書を更新しました。',
+ 'created_invoice' => '請求書を登録しました。',
+ 'cloned_invoice' => '請求書を複製しました。',
+ 'emailed_invoice' => '請求書をメールしました。',
+ 'and_created_client' => 'and created client',
+ 'archived_invoice' => '請求書をアーカイブしました。',
+ 'archived_invoices' => ':count 件の請求書をアーカイブしました。',
+ 'deleted_invoice' => '請求書を削除しました。',
+ 'deleted_invoices' => ':count 件の請求書を削除しました。',
+ 'created_payment' => '入金を登録しました。',
+ 'created_payments' => ':count 件の入金を登録しました。',
+ 'archived_payment' => '入金をアーカイブしました。',
+ 'archived_payments' => ':count 件の入金をアーカイブしました。',
+ 'deleted_payment' => '入金を削除しました。',
+ 'deleted_payments' => ':count 件の入金を削除しました。',
+ 'applied_payment' => 'Successfully applied payment',
+ 'created_credit' => '前受金を登録しました。',
+ 'archived_credit' => '前受金をアーカイブしました。',
+ 'archived_credits' => ':count 件の前受金をアーカイブしました。',
+ 'deleted_credit' => '前受金を削除しました。',
+ 'deleted_credits' => ':count 件の前受金を削除しました。',
+ 'imported_file' => 'ファイルをインポートしました。',
+ 'updated_vendor' => 'ベンダーを更新しました。',
+ 'created_vendor' => 'ベンダーを登録しました。',
+ 'archived_vendor' => 'ベンダーをアーカイブしました。',
+ 'archived_vendors' => ':count 件のベンダーをアーカイブしました。',
+ 'deleted_vendor' => 'ベンダーを削除しました。',
+ 'deleted_vendors' => ':count 件のベンダーを削除しました。',
+ 'confirmation_subject' => 'Invoice Ninja アカウントの確認',
+ 'confirmation_header' => 'アカウントの確認',
+ 'confirmation_message' => 'あなたのアカウントを確認するために下のリンクにアクセスしてください。',
+ 'invoice_subject' => 'New invoice :number from :account',
+ 'invoice_message' => 'この請求書( :amount )を見るには、下のリンクをクリックしてください。',
+ 'payment_subject' => '入金がありました。',
+ 'payment_message' => ':amount の入金ありがとうございました。',
+ 'email_salutation' => ':name様',
+ 'email_signature' => 'どうぞよろしくお願いいたします。',
+ 'email_from' => 'Invoice Ninja チーム',
+ 'invoice_link_message' => '請求書を見るには次のリンクをクリックしてください。:',
+ 'notification_invoice_paid_subject' => ':clientから入金のあった請求書 :invoice ',
+ 'notification_invoice_sent_subject' => ':invoice の請求書は:clientに送られました。',
+ 'notification_invoice_viewed_subject' => ':invoice:clientが請求書 :invoice を閲覧しました。',
+ 'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
+ 'notification_invoice_sent' => 'The following client :client was emailed Invoice :invoice for :amount.',
+ 'notification_invoice_viewed' => 'The following client :client viewed Invoice :invoice for :amount.',
+ 'reset_password' => 'You can reset your account password by clicking the following button:',
+ 'secure_payment' => 'Secure Payment',
+ 'card_number' => 'カード番号',
+ 'expiration_month' => 'カード有効期限 月',
+ 'expiration_year' => 'カード有効期限 年',
+ 'cvv' => 'CVV',
+ 'logout' => 'ログアウト',
+ 'sign_up_to_save' => 'Sign up to save your work',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => '利用規約',
+ 'email_taken' => 'そのEメールアドレスは既に登録されています。',
+ 'working' => 'Working',
+ 'success' => '成功',
+ 'success_message' => 'You have successfully registered! Please visit the link in the account confirmation email to verify your email address.',
+ 'erase_data' => 'Your account is not registered, this will permanently erase your data.',
+ 'password' => 'パスワード',
+ 'pro_plan_product' => 'プロ・プラン',
+ 'pro_plan_success' => 'Thanks for choosing Invoice Ninja\'s Pro plan!
+ Next StepsA 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',
+ 'unsaved_changes' => '未保存の変更があります。',
+ 'custom_fields' => 'カスタムフィールド',
+ 'company_fields' => '企業フィールド',
+ 'client_fields' => '顧客フィールド',
+ 'field_label' => 'フィールドラベル',
+ 'field_value' => 'フィールド値',
+ 'edit' => '編集',
+ 'set_name' => 'あなたの会社名を入力してください。',
+ 'view_as_recipient' => 'View as recipient',
+ 'product_library' => '商品マスタ',
+ 'product' => '商品',
+ 'products' => 'Products',
+ 'fill_products' => 'Auto-fill products',
+ 'fill_products_help' => 'Selecting a product will automatically fill in the description and cost',
+ 'update_products' => 'Auto-update products',
+ 'update_products_help' => 'Updating an invoice will automatically update the product library',
+ 'create_product' => '商品を追加',
+ 'edit_product' => '商品を編集',
+ 'archive_product' => '商品をアーカイブ',
+ 'updated_product' => '商品を更新しました。',
+ 'created_product' => '商品を登録しました。',
+ 'archived_product' => '商品をアーカイブしました。',
+ 'pro_plan_custom_fields' => ':link to enable custom fields by joining the Pro Plan',
+ 'advanced_settings' => '詳細設定',
+ 'pro_plan_advanced_settings' => ':link to enable the advanced settings by joining the Pro Plan',
+ 'invoice_design' => '請求書デザイン',
+ 'specify_colors' => 'カラーの選択',
+ 'specify_colors_label' => '請求書で使用されるカラーを選択してください。',
+ 'chart_builder' => 'Chart Builder',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Go Pro',
+ 'quote' => '見積書',
+ 'quotes' => '見積書',
+ 'quote_number' => '見積書番号',
+ 'quote_number_short' => '見積 #',
+ 'quote_date' => '見積日',
+ 'quote_total' => '見積金額合計',
+ 'your_quote' => 'あなたの見積書',
+ 'total' => '合計',
+ 'clone' => '複製',
+ 'new_quote' => '新しい見積書',
+ 'create_quote' => '見積書を新規作成',
+ 'edit_quote' => '見積書を編集',
+ 'archive_quote' => '見積書をアーカイブ',
+ 'delete_quote' => '見積書を削除',
+ 'save_quote' => '見積書を保存',
+ 'email_quote' => '見積書をメール',
+ 'clone_quote' => 'Clone To Quote',
+ 'convert_to_invoice' => '請求書に変換',
+ 'view_invoice' => '請求書を表示',
+ 'view_client' => '顧客を表示',
+ 'view_quote' => '見積書を表示',
+ 'updated_quote' => '見積書を更新しました。',
+ 'created_quote' => '見積書を新規作成しました。',
+ 'cloned_quote' => '見積書を複製しました。',
+ 'emailed_quote' => '見積書をメールしました。',
+ 'archived_quote' => '見積書をアーカイブしました。',
+ 'archived_quotes' => ':count件の見積書をアーカイブしました。',
+ 'deleted_quote' => '見積書を削除しました。',
+ 'deleted_quotes' => ':count件の見積書を削除しました。',
+ 'converted_to_invoice' => '見積書を請求書に変換しました。',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'To view your quote for :amount, click the link below.',
+ 'quote_link_message' => 'To view your client quote click the link below:',
+ 'notification_quote_sent_subject' => 'Quote :invoice was sent to :client',
+ 'notification_quote_viewed_subject' => 'Quote :invoice was viewed by :client',
+ 'notification_quote_sent' => 'The following client :client was emailed Quote :invoice for :amount.',
+ 'notification_quote_viewed' => 'The following client :client viewed Quote :invoice for :amount.',
+ 'session_expired' => 'セッションの期限が切れました。',
+ 'invoice_fields' => '請求書をフィールド',
+ 'invoice_options' => '請求書オプション',
+ 'hide_paid_to_date' => 'Hide Paid to Date',
+ 'hide_paid_to_date_help' => 'Only display the "Paid to Date" area on your invoices once a payment has been received.',
+ 'charge_taxes' => 'Charge taxes',
+ 'user_management' => 'ユーザ管理',
+ 'add_user' => 'ユーザを追加',
+ 'send_invite' => 'Send Invitation',
+ 'sent_invite' => '招待メールを送付しました。',
+ 'updated_user' => 'ユーザを更新しました',
+ 'invitation_message' => ':invitorさんから招待がありました。',
+ 'register_to_add_user' => 'ユーザを追加するにはサインアップしてください。',
+ 'user_state' => 'ステータス',
+ 'edit_user' => 'ユーザの編集',
+ 'delete_user' => 'ユーザの削除',
+ 'active' => '有効',
+ 'pending' => '保留',
+ 'deleted_user' => 'ユーザを削除しました',
+ 'confirm_email_invoice' => 'この請求書をメールしてもよろしいですか?',
+ 'confirm_email_quote' => 'この見積書をメールしてもよろしいですか?',
+ 'confirm_recurring_email_invoice' => 'この請求書をメール済にしてもよろしいですか?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'アカウントのキャンセル',
+ 'cancel_account_message' => 'Warning: This will permanently delete your account, there is no undo.',
+ 'go_back' => '戻る',
+ 'data_visualizations' => 'ビジュアルデータ',
+ 'sample_data' => 'サンプルデータ shown',
+ 'hide' => '隠す',
+ 'new_version_available' => ':releases_linkの新しいバージョンが利用可能です。現在、v:user_versionで稼働中です。最新バージョンはv:latest_versionです。',
+ 'invoice_settings' => '請求書の設定',
+ 'invoice_number_prefix' => '請求書番号プレフィックス',
+ 'invoice_number_counter' => '請求書番号カウンター',
+ 'quote_number_prefix' => '見積書番号プレフィックス',
+ 'quote_number_counter' => '請求書番号カウンター',
+ 'share_invoice_counter' => 'Share invoice counter',
+ 'invoice_issued_to' => 'Invoice issued to',
+ 'invalid_counter' => 'To prevent a possible conflict please set either an invoice or quote number prefix',
+ 'mark_sent' => '送付済みにする',
+ 'gateway_help_1' => 'Authorize.netにサインアップする。 :link',
+ 'gateway_help_2' => 'Authorize.netにサインアップする。 :link',
+ 'gateway_help_17' => 'PayPal API signatureを取得する。 :link',
+ 'gateway_help_27' => ':link to sign up for 2Checkout.com. To ensure payments are tracked set :complete_link as the redirect URL under Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'その他のデザイン',
+ 'more_designs_title' => 'その他の請求書デザイン',
+ 'more_designs_cloud_header' => 'プロ・プランで他の請求書デザインを使う',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => '購入',
+ 'bought_designs' => '請求書デザインを追加しました。',
+ 'sent' => 'Sent',
+ 'vat_number' => 'VATナンバー',
+ 'timesheets' => 'タイムシート',
+ 'payment_title' => '請求先住所とクレジトカード情報を入力してください。',
+ 'payment_cvv' => '*クレジットカード裏側の3桁もしくは4桁の番号です。',
+ 'payment_footer1' => '*請求先住所はクレジットカードの住所と同一である必要があります。',
+ 'payment_footer2' => '*「支払い」ボタン1度だけクリックしてください。 - 手続きに1分ほど時間を要します。',
+ 'id_number' => 'IDナンバー',
+ 'white_label_link' => 'ホワイトラベル',
+ 'white_label_header' => 'ホワイトラベル',
+ 'bought_white_label' => 'ホワイトラベル・ライセンスが有効になりました。',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'リストア',
+ 'restore_invoice' => '請求書をリストア',
+ 'restore_quote' => '見積書をリストア',
+ 'restore_client' => '顧客をリストア',
+ 'restore_credit' => 'Restore Credit',
+ 'restore_payment' => 'Restore Payment',
+ 'restored_invoice' => '請求書をリストアしました。',
+ 'restored_quote' => '見積書をリストアしました。',
+ 'restored_client' => '顧客をリストアしました。',
+ 'restored_payment' => 'Successfully restored payment',
+ 'restored_credit' => 'Successfully restored credit',
+ 'reason_for_canceling' => 'Help us improve our site by telling us why you\'re leaving.',
+ 'discount_percent' => 'パーセント',
+ 'discount_amount' => 'Amount',
+ 'invoice_history' => '請求履歴',
+ 'quote_history' => '見積履歴',
+ 'current_version' => '現在のバージョン',
+ 'select_version' => 'バージョンを選択',
+ 'view_history' => '履歴を閲覧',
+ 'edit_payment' => '支払いを編集',
+ 'updated_payment' => '支払いを更新しました',
+ 'deleted' => 'Deleted',
+ 'restore_user' => 'ユーザをリストア',
+ 'restored_user' => 'ユーザをリストアしました。',
+ 'show_deleted_users' => '削除したユーザを閲覧',
+ 'email_templates' => 'Eメールテンプレート',
+ 'invoice_email' => '請求書メール',
+ 'payment_email' => '支払いメール',
+ 'quote_email' => '見積書メール',
+ 'reset_all' => '全てをリセット',
+ 'approve' => 'Approve',
+ 'token_billing_type_id' => 'Token Billing',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Disabled',
+ 'token_billing_2' => 'Opt-in - checkbox is shown but not selected',
+ 'token_billing_3' => 'Opt-out - checkbox is shown and selected',
+ 'token_billing_4' => 'Always',
+ 'token_billing_checkbox' => 'Store credit card details',
+ 'view_in_gateway' => 'View in :gateway',
+ 'use_card_on_file' => 'Use Card on File',
+ 'edit_payment_details' => 'Edit payment details',
+ 'token_billing' => 'Save card details',
+ 'token_billing_secure' => 'The data is stored securely by :link',
+ 'support' => 'Support',
+ 'contact_information' => 'Contact Information',
+ '256_encryption' => '256-Bit Encryption',
+ 'amount_due' => 'Amount due',
+ 'billing_address' => '請求先住所',
+ 'billing_method' => '請求方法',
+ 'order_overview' => '注文の概要',
+ 'match_address' => '*住所はクレジットカードのものと一致している必要があります。',
+ 'click_once' => '*Please click "PAY NOW" only once - transaction may take up to 1 minute to process.',
+ 'invoice_footer' => '請求書フッター',
+ 'save_as_default_footer' => 'デフォルトのフッターを保存する',
+ 'token_management' => 'トークンの管理',
+ 'tokens' => 'トークン',
+ 'add_token' => 'トークンを追加',
+ 'show_deleted_tokens' => '削除したトークンを表示',
+ 'deleted_token' => 'トークンを削除しました。',
+ 'created_token' => 'トークンを追加しました。',
+ 'updated_token' => 'トークンを更新しました。',
+ 'edit_token' => 'トークンを編集',
+ 'delete_token' => 'トークンを削除',
+ 'token' => 'トークン',
+ 'add_gateway' => 'ゲートウェイを追加',
+ 'delete_gateway' => 'ゲートウェイを削除',
+ 'edit_gateway' => 'ゲートウェイを編集',
+ 'updated_gateway' => 'ゲートウェイを更新しました。',
+ 'created_gateway' => 'ゲートウェイを追加しました。',
+ 'deleted_gateway' => 'ゲートウェイを削除しました。',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'クレジットカード',
+ 'change_password' => 'パスワードの変更',
+ 'current_password' => '現在のパスワード',
+ 'new_password' => '新しいパスワード',
+ 'confirm_password' => 'パスワードの確認',
+ 'password_error_incorrect' => '現在のパスワードが正しくありません。',
+ 'password_error_invalid' => '新しいパスワードが正しくありません。',
+ 'updated_password' => 'パスワードが更新されました。',
+ 'api_tokens' => 'APIトークン',
+ 'users_and_tokens' => 'ユーザ & トークン',
+ 'account_login' => 'Account Login',
+ 'recover_password' => 'パスワードの再設定',
+ 'forgot_password' => 'パスワードをお忘れですか?',
+ 'email_address' => 'Eメールアドレス',
+ 'lets_go' => 'Let\'s go',
+ 'password_recovery' => 'パスワード再設定',
+ 'send_email' => 'Send Email',
+ 'set_password' => 'パスワードを設定',
+ 'converted' => 'Converted',
+ 'email_approved' => 'Email me when a quote is approved',
+ 'notification_quote_approved_subject' => 'Quote :invoice was approved by :client',
+ 'notification_quote_approved' => 'The following client :client approved Quote :invoice for :amount.',
+ 'resend_confirmation' => '確認メールを再送信',
+ 'confirmation_resent' => '確認メールが再送信されました。',
+ 'gateway_help_42' => ':link to sign up for BitPay.
Note: use a Legacy API Key, not an API token.',
+ 'payment_type_credit_card' => 'クレジットカード',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'ナレッジベース',
+ 'partial' => 'Partial/Deposit',
+ 'partial_remaining' => ':partial of :balance',
+ 'more_fields' => '項目を増やす',
+ 'less_fields' => '項目を減らす',
+ 'client_name' => 'Client Name',
+ 'pdf_settings' => 'PDF設定',
+ 'product_settings' => '商品設定',
+ 'auto_wrap' => 'Auto Line Wrap',
+ 'duplicate_post' => 'Warning: the previous page was submitted twice. The second submission had been ignored.',
+ 'view_documentation' => 'View Documentation',
+ 'app_title' => 'フリーでオープンソースなオンライン請求',
+ 'app_description' => 'Invoice Ninja is a free, open-source solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.',
+ 'rows' => 'rows',
+ 'www' => 'www',
+ 'logo' => 'ロゴ',
+ 'subdomain' => 'サブドメイン',
+ 'provide_name_or_email' => 'Please provide a name or email',
+ 'charts_and_reports' => 'チャート & レポート',
+ 'chart' => 'チャート',
+ 'report' => 'レポート',
+ 'group_by' => 'Group by',
+ 'paid' => 'Paid',
+ 'enable_report' => 'レポート',
+ 'enable_chart' => 'チャート',
+ 'totals' => 'Totals',
+ 'run' => 'Run',
+ 'export' => 'エクスポート',
+ 'documentation' => 'Documentation',
+ 'zapier' => 'Zapier',
+ 'recurring' => '繰り返し',
+ 'last_invoice_sent' => 'Last invoice sent :date',
+ 'processed_updates' => '更新が完了しました。',
+ 'tasks' => 'タスク',
+ 'new_task' => '新しいタスク',
+ 'start_time' => '開始時間',
+ 'created_task' => 'タスクが登録されました。',
+ 'updated_task' => 'タスクが更新されました。',
+ 'edit_task' => 'タスクを更新',
+ 'archive_task' => 'タスクをアーカイブ',
+ 'restore_task' => 'タスクをリストア',
+ 'delete_task' => 'タスクを削除',
+ 'stop_task' => 'タスクを停止',
+ 'time' => '時間',
+ 'start' => 'スタート',
+ 'stop' => 'ストップ',
+ 'now' => 'Now',
+ 'timer' => 'タイマー',
+ 'manual' => 'Manual',
+ 'date_and_time' => '日時',
+ 'second' => 'Second',
+ 'seconds' => 'Seconds',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minutes',
+ 'hour' => 'Hour',
+ 'hours' => 'Hours',
+ 'task_details' => 'タスク詳細',
+ 'duration' => 'Duration',
+ 'end_time' => '終了時間',
+ 'end' => '終了',
+ 'invoiced' => 'Invoiced',
+ 'logged' => 'Logged',
+ 'running' => 'Running',
+ 'task_error_multiple_clients' => 'The tasks can\'t belong to different clients',
+ 'task_error_running' => 'Please stop running tasks first',
+ 'task_error_invoiced' => 'Tasks have already been invoiced',
+ 'restored_task' => 'タスクをリストアしました。',
+ 'archived_task' => 'タスクをアーカイブしました。',
+ 'archived_tasks' => ':count件のタスクをアーカイブしました。',
+ 'deleted_task' => 'タスクを削除しました。',
+ 'deleted_tasks' => ':count件のタスクを削除しました。',
+ 'create_task' => 'タスクを新規作成',
+ 'stopped_task' => 'タスクを停止しました。',
+ 'invoice_task' => 'Invoice Task',
+ 'invoice_labels' => 'Invoice Labels',
+ 'prefix' => 'プレフィックス',
+ 'counter' => 'カウンター',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link to sign up for Dwolla',
+ 'partial_value' => 'Must be greater than zero and less than the total',
+ 'more_actions' => 'More Actions',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => '今すぐアップグレード!',
+ 'pro_plan_feature1' => 'Create Unlimited Clients',
+ 'pro_plan_feature2' => 'Access to 10 Beautiful Invoice Designs',
+ 'pro_plan_feature3' => 'Custom URLs - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Remove "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Multi-user Access & Activity Tracking',
+ 'pro_plan_feature6' => 'Create Quotes & Pro-forma Invoices',
+ 'pro_plan_feature7' => 'Customize Invoice Field Titles & Numbering',
+ 'pro_plan_feature8' => 'Option to Attach PDFs to Client Emails',
+ 'resume' => 'Resume',
+ 'break_duration' => 'Break',
+ 'edit_details' => '詳細を編集',
+ 'work' => 'Work',
+ 'timezone_unset' => 'Please :link to set your timezone',
+ 'click_here' => 'こちらをクリック',
+ 'email_receipt' => 'Email payment receipt to the client',
+ 'created_payment_emailed_client' => 'Successfully created payment and emailed client',
+ 'add_company' => 'Add Company',
+ 'untitled' => 'Untitled',
+ 'new_company' => 'New Company',
+ 'associated_accounts' => 'Successfully linked accounts',
+ 'unlinked_account' => 'Successfully unlinked accounts',
+ 'login' => 'ログイン',
+ 'or' => 'もしくは',
+ 'email_error' => 'メールの送信で問題が発生しました。',
+ 'confirm_recurring_timing' => 'Note: emails are sent at the start of the hour.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Sets the default invoice due date',
+ 'unlink_account' => 'Unlink Account',
+ 'unlink' => 'Unlink',
+ 'show_address' => '住所を表示',
+ 'show_address_help' => 'Require client to provide their billing address',
+ 'update_address' => '住所を更新',
+ 'update_address_help' => 'Update client\'s address with provided details',
+ 'times' => 'Times',
+ 'set_now' => 'Set to now',
+ 'dark_mode' => 'ダークモード',
+ 'dark_mode_help' => 'Use a dark background for the sidebars',
+ 'add_to_invoice' => '請求書 :invoice に追加',
+ 'create_new_invoice' => '請求書を新規作成',
+ 'task_errors' => 'Please correct any overlapping times',
+ 'from' => 'From',
+ 'to' => 'To',
+ 'font_size' => 'フォントサイズ',
+ 'primary_color' => 'プライマリ・カラー',
+ 'secondary_color' => 'セカンダリ・カラー',
+ 'customize_design' => 'デザインをカスタマイズ',
+ 'content' => 'コンテンツ',
+ 'styles' => 'スタイル',
+ 'defaults' => 'デフォルト',
+ 'margins' => 'マージン',
+ 'header' => 'ヘッダ',
+ 'footer' => 'フッタ',
+ 'custom' => 'カスタム',
+ 'invoice_to' => 'Invoice to',
+ 'invoice_no' => '請求書番号',
+ 'quote_no' => 'Quote No.',
+ 'recent_payments' => '最近の入金',
+ 'outstanding' => 'Outstanding',
+ 'manage_companies' => 'Manage Companies',
+ 'total_revenue' => 'Total Revenue',
+ 'current_user' => '現在のユーザ',
+ 'new_recurring_invoice' => 'New Recurring Invoice',
+ 'recurring_invoice' => 'Recurring Invoice',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'It\'s too soon to create the next recurring invoice, it\'s scheduled for :date',
+ 'created_by_invoice' => 'Created by :invoice',
+ 'primary_user' => 'プライマリ・ユーザ',
+ 'help' => 'ヘルプ',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => '支払期日',
+ 'quote_due_date' => 'Valid Until',
+ 'valid_until' => 'Valid Until',
+ 'reset_terms' => 'Reset terms',
+ 'reset_footer' => 'Reset footer',
+ 'invoice_sent' => ':count invoice sent',
+ 'invoices_sent' => ':count invoices sent',
+ 'status_draft' => 'Draft',
+ 'status_sent' => 'Sent',
+ 'status_viewed' => 'Viewed',
+ 'status_partial' => 'Partial',
+ 'status_paid' => 'Paid',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Display line item taxes inline',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'Copy the following code to a page on your site.',
+ 'iframe_url_help2' => 'You can test the feature by clicking \'View as recipient\' for an invoice.',
+ 'auto_bill' => 'Auto Bill',
+ 'military_time' => '24 Hour Time',
+ 'last_sent' => 'Last Sent',
+ 'reminder_emails' => 'Reminder Emails',
+ 'templates_and_reminders' => 'Templates & Reminders',
+ 'subject' => 'サブジェクト',
+ 'body' => '本文',
+ 'first_reminder' => 'First Reminder',
+ 'second_reminder' => 'Second Reminder',
+ 'third_reminder' => 'Third Reminder',
+ 'num_days_reminder' => 'Days after due date',
+ 'reminder_subject' => 'リマインダー: Invoice :invoice from :account',
+ 'reset' => 'リセット',
+ 'invoice_not_found' => 'The requested invoice is not available',
+ 'referral_program' => 'リファーラル・プログラム',
+ 'referral_code' => 'リファーラル URL',
+ 'last_sent_on' => 'Sent Last: :date',
+ 'page_expire' => 'This page will expire soon, :click_here to keep working',
+ 'upcoming_quotes' => 'Upcoming Quotes',
+ 'expired_quotes' => 'Expired Quotes',
+ 'sign_up_using' => 'Sign up using',
+ 'invalid_credentials' => 'These credentials do not match our records',
+ 'show_all_options' => 'Show all options',
+ 'user_details' => 'ユーザの詳細',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Disable',
+ 'invoice_quote_number' => 'Invoice and Quote Numbers',
+ 'invoice_charges' => 'Invoice Surcharges',
+ 'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact.',
+ 'notification_invoice_bounced_subject' => 'Unable to deliver Invoice :invoice',
+ 'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact.',
+ 'notification_quote_bounced_subject' => 'Unable to deliver Quote :invoice',
+ 'custom_invoice_link' => 'Custom Invoice Link',
+ 'total_invoiced' => 'Total Invoiced',
+ 'open_balance' => 'Open Balance',
+ 'verify_email' => 'Please visit the link in the account confirmation email to verify your email address.',
+ 'basic_settings' => 'Basic Settings',
+ 'pro' => 'Pro',
+ 'gateways' => 'ペイメントゲートウェイ',
+ 'next_send_on' => 'Send Next: :date',
+ 'no_longer_running' => 'This invoice is not scheduled to run',
+ 'general_settings' => '一般設定',
+ 'customize' => 'カスタマイズ',
+ 'oneclick_login_help' => 'Connect an account to login without a password',
+ 'referral_code_help' => 'Earn money by sharing our app online',
+ 'enable_with_stripe' => 'Enable | Requires Stripe',
+ 'tax_settings' => '税の設定',
+ 'create_tax_rate' => '税率を追加',
+ 'updated_tax_rate' => '税率を更新しました。',
+ 'created_tax_rate' => '税率を作成しました',
+ 'edit_tax_rate' => '税率を編集',
+ 'archive_tax_rate' => '税率をアーカイブ',
+ 'archived_tax_rate' => '税率をアーカイブしました。',
+ 'default_tax_rate_id' => 'デフォルトの税率',
+ 'tax_rate' => '税率',
+ 'recurring_hour' => 'Recurring Hour',
+ 'pattern' => 'パターン',
+ 'pattern_help_title' => 'Pattern Help',
+ 'pattern_help_1' => 'Create custom numbers by specifying a pattern',
+ 'pattern_help_2' => 'Available variables:',
+ 'pattern_help_3' => 'For example, :example would be converted to :value',
+ 'see_options' => 'オプションを見る',
+ 'invoice_counter' => '請求書カウンター',
+ 'quote_counter' => '見積書カウンター',
+ 'type' => 'Type',
+ 'activity_1' => ':user は 顧客 :client を作成しました。',
+ 'activity_2' => ':user は 顧客 :client をアーカイブしました。',
+ 'activity_3' => ':user は 顧客 :client を削除しました。',
+ 'activity_4' => ':user は 請求書 :invoice を作成しました。',
+ 'activity_5' => ':user は 請求書 :invoice をアーカイブしました。',
+ 'activity_6' => ':user は 請求書 :invoice を :contact にメールしました。',
+ 'activity_7' => ':contact は 請求書 :invoice を閲覧しました。',
+ 'activity_8' => ':user は 請求書 :invoice をアーカイブしました。',
+ 'activity_9' => ':user は 請求書 :invoice をアーカイブしました。',
+ 'activity_10' => ':contact entered payment :payment for :invoice',
+ 'activity_11' => ':user updated payment :payment',
+ 'activity_12' => ':user archived payment :payment',
+ 'activity_13' => ':user deleted payment :payment',
+ 'activity_14' => ':user entered :credit credit',
+ 'activity_15' => ':user updated :credit credit',
+ 'activity_16' => ':user archived :credit credit',
+ 'activity_17' => ':user deleted :credit credit',
+ 'activity_18' => ':user created quote :quote',
+ 'activity_19' => ':user updated quote :quote',
+ 'activity_20' => ':user emailed quote :quote to :contact',
+ 'activity_21' => ':contact viewed quote :quote',
+ 'activity_22' => ':user archived quote :quote',
+ 'activity_23' => ':user deleted quote :quote',
+ 'activity_24' => ':user restored quote :quote',
+ 'activity_25' => ':user restored invoice :invoice',
+ 'activity_26' => ':user restored client :client',
+ 'activity_27' => ':user restored payment :payment',
+ 'activity_28' => ':user restored :credit credit',
+ 'activity_29' => ':contact approved quote :quote',
+ 'activity_30' => ':user created vendor :vendor',
+ 'activity_31' => ':user archived vendor :vendor',
+ 'activity_32' => ':user deleted vendor :vendor',
+ 'activity_33' => ':user restored vendor :vendor',
+ 'activity_34' => ':user created expense :expense',
+ 'activity_35' => ':user archived expense :expense',
+ 'activity_36' => ':user deleted expense :expense',
+ 'activity_37' => ':user restored expense :expense',
+ 'activity_42' => ':user created task :task',
+ 'activity_43' => ':user updated task :task',
+ 'activity_44' => ':user archived task :task',
+ 'activity_45' => ':user deleted task :task',
+ 'activity_46' => ':user restored task :task',
+ 'activity_47' => ':user updated expense :expense',
+ 'payment' => 'Payment',
+ 'system' => 'System',
+ 'signature' => 'Eメール 署名',
+ 'default_messages' => 'デフォルトのメッセージ',
+ 'quote_terms' => 'Quote Terms',
+ 'default_quote_terms' => 'Default Quote Terms',
+ 'default_invoice_terms' => 'Default Invoice Terms',
+ 'default_invoice_footer' => 'デフォルトの請求書フッタ',
+ 'quote_footer' => '見積書フッタ',
+ 'free' => 'フリー',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Apply Credit',
+ 'system_settings' => 'システム設定',
+ 'archive_token' => 'トークンをアーカイブ',
+ 'archived_token' => 'トークンをアーカイブしました。',
+ 'archive_user' => 'ユーザをアーカイブ',
+ 'archived_user' => 'ユーザをアーカイブしました。',
+ 'archive_account_gateway' => 'ゲートウェイをアーカイブ',
+ 'archived_account_gateway' => 'ゲートウェイをアーカイブしました。',
+ 'archive_recurring_invoice' => '繰り返しの請求書をアーカイブ',
+ 'archived_recurring_invoice' => '繰り返しの請求書をアーカイブしました。',
+ 'delete_recurring_invoice' => '繰り返しの請求書を削除',
+ 'deleted_recurring_invoice' => '繰り返しの請求書を削除しました。',
+ 'restore_recurring_invoice' => 'Restore Recurring Invoice',
+ 'restored_recurring_invoice' => 'Successfully restored recurring invoice',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archived',
+ 'untitled_account' => 'Untitled Company',
+ 'before' => 'Before',
+ 'after' => 'After',
+ 'reset_terms_help' => 'Reset to the default account terms',
+ 'reset_footer_help' => 'Reset to the default account footer',
+ 'export_data' => 'Export Data',
+ 'user' => 'ユーザ',
+ 'country' => '国',
+ 'include' => 'Include',
+ 'logo_too_large' => 'あなたのロゴのサイズは :size です。PDF生成のパフォーマンス向上のため200KB以下の画像ファイルのアップロードをお願いします。',
+ 'import_freshbooks' => 'FreshBooksからインポート',
+ 'import_data' => 'Import Data',
+ 'source' => 'ソース',
+ 'csv' => 'CSV',
+ 'client_file' => '顧客ファイル',
+ 'invoice_file' => '請求書ファイル',
+ 'task_file' => 'タスクファイル',
+ 'no_mapper' => 'No valid mapping for file',
+ 'invalid_csv_header' => 'CSVのヘッダが正しくありません。',
+ 'client_portal' => '顧客ポータル',
+ 'admin' => '管理者',
+ 'disabled' => 'Disabled',
+ 'show_archived_users' => 'アーカイブされたユーザを表示',
+ 'notes' => 'ノート',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => '請求書が作成されます。',
+ 'failed_to_import' => '以下のレコードがインポートされませんでした。',
+ 'publishable_key' => '公開鍵',
+ 'secret_key' => '秘密鍵',
+ 'missing_publishable_key' => 'Stripe publishable key for an improved checkout process',
+ 'email_design' => 'Eメール デザイン',
+ 'due_by' => 'Due by :date',
+ 'enable_email_markup' => 'マークアップを許可する',
+ 'enable_email_markup_help' => 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
+ 'template_help_title' => 'テンプレート ヘルプ',
+ 'template_help_1' => 'Available variables:',
+ 'email_design_id' => 'Eメール スタイル',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'プレーン',
+ 'light' => 'ライト',
+ 'dark' => 'ダーク',
+ 'industry_help' => 'Used to provide comparisons against the averages of companies of similar size and industry.',
+ 'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the invoice number.',
+ 'quote_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the quote number.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Add a label and value to the company details section of the PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Add a field when creating an invoice and include the charge in the invoice subtotals.',
+ 'token_expired' => 'Validation token was expired. Please try again.',
+ 'invoice_link' => '請求書リンク',
+ 'button_confirmation_message' => 'Click to confirm your email address.',
+ 'confirm' => 'Confirm',
+ 'email_preferences' => 'Email Preferences',
+ 'created_invoices' => ':count件の請求書を作成しました。',
+ 'next_invoice_number' => '次の請求書番号は :numberです。',
+ 'next_quote_number' => '次の見積書番号は :numberです。',
+ 'days_before' => 'days before the',
+ 'days_after' => 'days after the',
+ 'field_due_date' => 'due date',
+ 'field_invoice_date' => 'invoice date',
+ 'schedule' => 'スケジュール',
+ 'email_designs' => 'Eメールデザイン',
+ 'assigned_when_sent' => 'Assigned when sent',
+ 'white_label_purchase_link' => 'ホワイトラベル・ライセンスを購入',
+ 'expense' => 'Expense',
+ 'expenses' => 'Expenses',
+ 'new_expense' => 'Enter Expense',
+ 'enter_expense' => 'Enter Expense',
+ 'vendors' => 'Vendors',
+ 'new_vendor' => 'New Vendor',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Vendor',
+ 'edit_vendor' => 'Edit Vendor',
+ 'archive_vendor' => 'Archive Vendor',
+ 'delete_vendor' => 'Delete Vendor',
+ 'view_vendor' => 'View Vendor',
+ 'deleted_expense' => 'Successfully deleted expense',
+ 'archived_expense' => 'Successfully archived expense',
+ 'deleted_expenses' => 'Successfully deleted expenses',
+ 'archived_expenses' => 'Successfully archived expenses',
+ 'expense_amount' => 'Expense Amount',
+ 'expense_balance' => 'Expense Balance',
+ 'expense_date' => 'Expense Date',
+ 'expense_should_be_invoiced' => 'Should this expense be invoiced?',
+ 'public_notes' => 'Public Notes',
+ 'invoice_amount' => 'Invoice Amount',
+ 'exchange_rate' => 'Exchange Rate',
+ 'yes' => 'はい',
+ 'no' => 'いいえ',
+ 'should_be_invoiced' => 'Should be invoiced',
+ 'view_expense' => 'View expense # :expense',
+ 'edit_expense' => 'Edit Expense',
+ 'archive_expense' => 'Archive Expense',
+ 'delete_expense' => 'Delete Expense',
+ 'view_expense_num' => 'Expense # :expense',
+ 'updated_expense' => 'Successfully updated expense',
+ 'created_expense' => 'Successfully created expense',
+ 'enter_expense' => 'Enter Expense',
+ 'view' => 'View',
+ 'restore_expense' => 'Restore Expense',
+ 'invoice_expense' => 'Invoice Expense',
+ 'expense_error_multiple_clients' => 'The expenses can\'t belong to different clients',
+ 'expense_error_invoiced' => 'Expense has already been invoiced',
+ 'convert_currency' => 'Convert currency',
+ 'num_days' => 'Number of Days',
+ 'create_payment_term' => 'Create Payment Term',
+ 'edit_payment_terms' => 'Edit Payment Term',
+ 'edit_payment_term' => 'Edit Payment Term',
+ 'archive_payment_term' => 'Archive Payment Term',
+ 'recurring_due_dates' => 'Recurring Invoice Due Dates',
+ '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.
+
+
',
+ 'due' => 'Due',
+ 'next_due_on' => 'Due Next: :date',
+ 'use_client_terms' => 'Use client terms',
+ 'day_of_month' => ':ordinal day of month',
+ 'last_day_of_month' => 'Last day of month',
+ 'day_of_week_after' => ':ordinal :day after',
+ 'sunday' => '日曜日',
+ 'monday' => '月曜日',
+ 'tuesday' => '火曜日',
+ 'wednesday' => '水曜日',
+ 'thursday' => '木曜日',
+ 'friday' => '金曜日',
+ 'saturday' => '土曜日',
+ 'header_font_id' => 'ヘッダー・フォント',
+ 'body_font_id' => 'ボディ・フォント',
+ 'color_font_help' => 'Note: the primary color and fonts are also used in the client portal and custom email designs.',
+ 'live_preview' => 'ライブ・プレビュー',
+ 'invalid_mail_config' => 'Unable to send email, please check that the mail settings are correct.',
+ 'invoice_message_button' => 'To view your invoice for :amount, click the button below.',
+ 'quote_message_button' => 'To view your quote for :amount, click the button below.',
+ 'payment_message_button' => 'Thank you for your payment of :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Credit Cards & Banks',
+ 'add_bank_account' => '銀行口座を追加',
+ 'setup_account' => 'Setup Account',
+ 'import_expenses' => 'Import Expenses',
+ 'bank_id' => '銀行',
+ 'integration_type' => 'Integration Type',
+ 'updated_bank_account' => '銀行口座を更新しました。',
+ 'edit_bank_account' => '銀行口座を編集',
+ 'archive_bank_account' => '銀行口座をアーカイブ',
+ 'archived_bank_account' => '銀行口座をアーカイブしました。',
+ 'created_bank_account' => '銀行口座を登録しました。',
+ 'validate_bank_account' => 'Validate Bank Account',
+ 'bank_password_help' => 'Note: your password is transmitted securely and never stored on our servers.',
+ 'bank_password_warning' => 'Warning: your password may be transmitted in plain text, consider enabling HTTPS.',
+ 'username' => 'ユーザ名',
+ 'account_number' => '口座番号',
+ 'account_name' => '口座名義',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Approved',
+ 'quote_settings' => '見積書設定',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved by a client.',
+ 'validate' => 'Validate',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Successfully created :count_vendors vendor(s) and :count_expenses expense(s)',
+ 'iframe_url_help3' => 'Note: if you plan on accepting credit cards details we strongly recommend enabling HTTPS on your site.',
+ 'expense_error_multiple_currencies' => 'The expenses can\'t have different currencies.',
+ 'expense_error_mismatch_currencies' => 'The client\'s currency does not match the expense currency.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'ヘッダ/フッタ',
+ 'first_page' => '最初のページ',
+ 'all_pages' => '全てのページ',
+ 'last_page' => '最後のページ',
+ 'all_pages_header' => 'Show header on',
+ 'all_pages_footer' => 'Show footer on',
+ 'invoice_currency' => '請求書通貨',
+ 'enable_https' => 'We strongly recommend using HTTPS to accept credit card details online.',
+ 'quote_issued_to' => 'Quote issued to',
+ 'show_currency_code' => '通貨コード',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Your account will receive a free two week trial of our pro plan.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'フリートライアルを始める',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Overdue',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'To adjust your email notification settings please visit :link',
+ 'reset_password_footer' => 'If you did not request this password reset please email our support: :email',
+ 'limit_users' => 'Sorry, this will exceed the limit of :limit users',
+ 'more_designs_self_host_header' => 'Get 6 more invoice designs for just $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => 'プロプランに加入して、Invoice Ninjaのロゴを消す。 :link',
+ 'pro_plan_remove_logo_link' => 'こちらをクリック',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'Viewed',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Emails can not be sent to inactive invoices',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email',
+
+ 'navigation' => 'ナビゲーション',
+ 'list_invoices' => '請求書一覧',
+ 'list_clients' => '顧客一覧',
+ 'list_quotes' => '見積書一覧',
+ 'list_tasks' => 'タスク一覧',
+ 'list_expenses' => 'List Expenses',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => '入金一覧',
+ 'list_credits' => '前受金一覧',
+ 'tax_name' => '税名称',
+ 'report_settings' => 'レポート設定',
+ 'search_hotkey' => 'shortcut is /',
+
+ 'new_user' => '新しいユーザ',
+ 'new_product' => '新しい商品',
+ 'new_tax_rate' => '新しい税率',
+ 'invoiced_amount' => 'Invoiced Amount',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Recurring Number',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Password Protect Invoices',
+ 'enable_portal_password_help' => 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Expired',
+ 'invalid_card_number' => 'The credit card number is not valid.',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Cost',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Owner',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Partial Due',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'January',
+ 'february' => 'February',
+ 'march' => 'March',
+ 'april' => 'April',
+ 'may' => 'May',
+ 'june' => 'June',
+ 'july' => 'July',
+ 'august' => 'August',
+ 'september' => 'September',
+ 'october' => 'October',
+ 'november' => 'November',
+ 'december' => 'December',
+
+ // Documents
+ 'documents_header' => 'Documents:',
+ 'email_documents_header' => 'Documents:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'ダッシュボード',
+ 'enable_client_portal_help' => 'Show/hide the dashboard page in the client portal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Account Management',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Monthly',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Month',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'ライブ・プレビュー',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refund Payment',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Refund',
+ 'are_you_sure_refund' => 'Refund selected payments?',
+ 'status_pending' => 'Pending',
+ 'status_completed' => 'Completed',
+ 'status_failed' => 'Failed',
+ 'status_partially_refunded' => 'Partially Refunded',
+ 'status_partially_refunded_amount' => ':amount Refunded',
+ 'status_refunded' => 'Refunded',
+ 'status_voided' => 'Cancelled',
+ 'refunded_payment' => 'Refunded Payment',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Unknown',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Client Id',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Other Providers',
+ 'country_not_supported' => 'That country is not supported.',
+ 'invalid_routing_number' => 'The routing number is not valid.',
+ 'invalid_account_number' => 'The account number is not valid.',
+ 'account_number_mismatch' => 'The account numbers do not match.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Company Account',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Add Account',
+ 'payment_methods' => 'Payment Methods',
+ 'complete_verification' => 'Complete Verification',
+ 'verification_amount1' => 'Amount 1',
+ 'verification_amount2' => 'Amount 2',
+ 'payment_method_verified' => 'Verification completed successfully',
+ 'verification_failed' => 'Verification Failed',
+ 'remove_payment_method' => 'Remove Payment Method',
+ 'confirm_remove_payment_method' => 'Are you sure you want to remove this payment method?',
+ 'remove' => 'Remove',
+ 'payment_method_removed' => 'Removed payment method.',
+ 'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Unknown Bank',
+ 'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
+ 'add_credit_card' => 'Add Credit Card',
+ 'payment_method_added' => 'Added payment method.',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'You must :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Add Payment Method',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Always',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Enabled',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Save payment details',
+ 'add_paypal_account' => 'Add PayPal Account',
+
+
+ 'no_payment_method_specified' => 'No payment method specified',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Format',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Company Name',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Manage Account',
+ 'action_required' => 'Action Required',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Security',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Product File',
+ 'import_products' => 'Import Products',
+ 'products_will_create' => 'products will be created',
+ 'product_key' => 'Product',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'View Dashboard',
+ 'client_session_expired' => 'Session Expired',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bank account',
+ 'auto_bill_payment_method_credit_card' => 'credit card',
+ 'auto_bill_payment_method_paypal' => 'PayPal account',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Payment Settings',
+
+ 'on_send_date' => 'On send date',
+ 'on_due_date' => 'On due date',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bank Account',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privacy Policy',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Verification Pending',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'More options',
+ 'credit_card' => 'Credit Card',
+ 'bank_transfer' => 'Bank Transfer',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Added :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'This gateway already exists',
+ 'manual_entry' => 'Manual entry',
+ 'start_of_week' => 'First Day of the Week',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Weekly',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Two weeks',
+ 'freq_four_weeks' => 'Four weeks',
+ 'freq_monthly' => 'Monthly',
+ 'freq_three_months' => 'Three months',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Six months',
+ 'freq_annually' => 'Annually',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Bank Transfer',
+ 'payment_type_Cash' => 'Cash',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Credit Card Other',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' => 'Photography',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' =>'Photography',
+
+ 'view_client_portal' => 'View client portal',
+ 'view_portal' => 'View Portal',
+ 'vendor_contacts' => 'Vendor Contacts',
+ 'all' => 'All',
+ 'selected' => 'Selected',
+ 'category' => 'Category',
+ 'categories' => 'Categories',
+ 'new_expense_category' => 'New Expense Category',
+ 'edit_category' => 'Edit Category',
+ 'archive_expense_category' => 'Archive Category',
+ 'expense_categories' => 'Expense Categories',
+ 'list_expense_categories' => 'List Expense Categories',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Apply taxes',
+ 'min_to_max_users' => ':min to :max users',
+ 'max_users_reached' => 'The maximum number of users has been reached.',
+ 'buy_now_buttons' => 'Buy Now Buttons',
+ 'landing_page' => 'Landing Page',
+ 'payment_type' => 'Payment Type',
+ 'form' => 'Form',
+ 'link' => 'Link',
+ 'fields' => 'Fields',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Enable support for buy now buttons',
+ 'changes_take_effect_immediately' => 'Note: changes take effect immediately',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Something went wrong',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Please select a contact',
+ 'no_client_selected' => 'Please select a client',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Add 1 :product',
+ 'not_authorized' => 'You are not authorized',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Day',
+ 'week' => 'Week',
+ 'month' => 'Month',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Reports',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Date Range',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Annual revenue',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Vendor',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Invoice',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/ja/validation.php b/resources/lang/ja/validation.php
new file mode 100644
index 000000000000..f300682c76d7
--- /dev/null
+++ b/resources/lang/ja/validation.php
@@ -0,0 +1,106 @@
+ ":attribute はmust be accepted.",
+ "active_url" => ":attribute は正しいURLではありません。",
+ "after" => ":attribute は:date以降の日付である必要があります。",
+ "alpha" => ":attribute は半角英字のみ可能です。",
+ "alpha_dash" => ":attribute は半角英数字およびハイフンのみ可能です。",
+ "alpha_num" => ":attribute は半角英数字のみ可能です。",
+ "array" => "The :attribute must be an array.",
+ "before" => ":attribute は:date以前の日付である必要があります。",
+ "between" => array(
+ "numeric" => ":attribute は :min - :max の範囲です。",
+ "file" => ":attribute は :min - :max KBの範囲です。",
+ "string" => ":attribute は :min - :max 文字の範囲です。",
+ "array" => ":attribute は :min - :max 個の範囲です。",
+ ),
+ "confirmed" => "The :attribute confirmation does not match.",
+ "date" => "The :attribute is not a valid date.",
+ "date_format" => "The :attribute does not match the format :format.",
+ "different" => "The :attribute and :other must be different.",
+ "digits" => "The :attribute must be :digits digits.",
+ "digits_between" => "The :attribute must be between :min and :max digits.",
+ "email" => "The :attribute format is invalid.",
+ "exists" => "The selected :attribute is invalid.",
+ "image" => "The :attribute must be an image.",
+ "in" => "The selected :attribute is invalid.",
+ "integer" => "The :attribute must be an integer.",
+ "ip" => "The :attribute must be a valid IP address.",
+ "max" => array(
+ "numeric" => ":attribute は:max 以下の必要があります。",
+ "file" => ":attribute は:max KB以下の必要があります。",
+ "string" => ":attribute は:max 文字以下の必要があります。",
+ "array" => ":attribute は:max 個以下の必要があります。",
+ ),
+ "mimes" => ":attribute は以下のファイル・タイプの必要があります。 :values.",
+ "min" => array(
+ "numeric" => ":attribute は:min 以上の必要があります。",
+ "file" => ":attribute は:min KB以上の必要があります。",
+ "string" => ":attribute は:min 文字以上の必要があります。",
+ "array" => ":attribute は:min 個以上の必要があります。",
+ ),
+ "not_in" => "選択された :attribute は正しくありません。",
+ "numeric" => ":attribute は数値の必要があります。",
+ "regex" => ":attribute のフォーマットが正しくありません。",
+ "required" => ":attribute フィールドが必要です。",
+ "required_if" => ":other が :valueの場合、:attribute フィールドが必要です。",
+ "required_with" => "The :attribute field is required when :values is present.",
+ "required_without" => "The :attribute field is required when :values is not present.",
+ "same" => ":attribute と :other が一致していません。",
+ "size" => array(
+ "numeric" => "The :attribute must be :size.",
+ "file" => "The :attribute must be :size kilobytes.",
+ "string" => "The :attribute must be :size characters.",
+ "array" => "The :attribute must contain :size items.",
+ ),
+ "unique" => ":attribute は既に使われています。",
+ "url" => ":attribute のフォーマットが正しくありません。",
+
+ "positive" => "The :attribute must be greater than zero.",
+ "has_credit" => "The client does not have enough credit.",
+ "notmasked" => "The values are masked",
+ "less_than" => "The :attribute must be less than :value",
+ "has_counter" => "The value must contain {\$counter}",
+ "valid_contacts" => "The contact must have either an email or name",
+ "valid_invoice_items" => "The invoice exceeds the maximum amount",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(),
+
+);
diff --git a/resources/lang/lt/pagination.php b/resources/lang/lt/pagination.php
new file mode 100644
index 000000000000..d2ba5375c39c
--- /dev/null
+++ b/resources/lang/lt/pagination.php
@@ -0,0 +1,19 @@
+ '« Ankstesnis',
+ 'next' => 'Sekantis »',
+
+];
diff --git a/resources/lang/lt/reminders.php b/resources/lang/lt/reminders.php
new file mode 100644
index 000000000000..05af271289f3
--- /dev/null
+++ b/resources/lang/lt/reminders.php
@@ -0,0 +1,21 @@
+ "Slaptažodis turi būti bent šešių simbolių ir sutapti su patvirtinimu.",
+ "user" => "Vartotojas su tokiu el. pašu nerastas.",
+ "token" => "Šis slaptažodžio raktas yra neteisingas.",
+ "sent" => "Naujo slaptažodžio nustatymo nuoroda išsiųsta",
+ "reset" => "Nustatytas naujas slaptažodis!",
+];
diff --git a/resources/lang/lt/texts.php b/resources/lang/lt/texts.php
new file mode 100644
index 000000000000..caa08362ed35
--- /dev/null
+++ b/resources/lang/lt/texts.php
@@ -0,0 +1,2872 @@
+ 'Įmonė',
+ 'name' => 'Pavadinimas',
+ 'website' => 'Internetinis puslapis',
+ 'work_phone' => 'Telefonas',
+ 'address' => 'Adresas',
+ 'address1' => 'Gatvė',
+ 'address2' => 'Adresas 2',
+ 'city' => 'Miestas',
+ 'state' => 'Apskritis',
+ 'postal_code' => 'Pašto kodas',
+ 'country_id' => 'Šalis',
+ 'contacts' => 'Kontaktinė informacija',
+ 'first_name' => 'Vardas',
+ 'last_name' => 'Pavardė',
+ 'phone' => 'Telefonas',
+ 'email' => 'El. paštas',
+ 'additional_info' => 'Papildoma informacija',
+ 'payment_terms' => 'Atsiskaitymo sąlygos',
+ 'currency_id' => 'Valiuta',
+ 'size_id' => 'Įmonės dydis',
+ 'industry_id' => 'Veiklos sritis',
+ 'private_notes' => 'Privatūs užrašai',
+ 'invoice' => 'Sąskaita faktūra',
+ 'client' => 'Klientas',
+ 'invoice_date' => 'Išrašymo data',
+ 'due_date' => 'Apmokėti iki',
+ 'invoice_number' => 'Sąskaitos numeris',
+ 'invoice_number_short' => 'Sąskaitos nr.',
+ 'po_number' => 'Užsakymo numeris',
+ 'po_number_short' => 'Užsakymo nr.',
+ 'frequency_id' => 'Kaip dažnai',
+ 'discount' => 'Nuolaida',
+ 'taxes' => 'Mokesčiai',
+ 'tax' => 'Mokestis',
+ 'item' => 'Prekė/Paslauga',
+ 'description' => 'Aprašymas',
+ 'unit_cost' => 'Vnt. kaina',
+ 'quantity' => 'Kiekis',
+ 'line_total' => 'Suma',
+ 'subtotal' => 'Suma viso',
+ 'paid_to_date' => 'Apmokėta',
+ 'balance_due' => 'Mokėti',
+ 'invoice_design_id' => 'Dizainas',
+ 'terms' => 'Sąlygos',
+ 'your_invoice' => 'Tavo sąskaitos',
+ 'remove_contact' => 'Pašalinti kontaktą',
+ 'add_contact' => 'Pridėti kontaktą',
+ 'create_new_client' => 'Sukurti naują klientą',
+ 'edit_client_details' => 'Redaguoti kliento informaciją',
+ 'enable' => 'Įgalinti',
+ 'learn_more' => 'Plačiau',
+ 'manage_rates' => 'Redaguoti įkainius',
+ 'note_to_client' => 'Pastaba klientui',
+ 'invoice_terms' => 'Sąskaitos sąlygos',
+ 'save_as_default_terms' => 'Išsaugoti sąlygas kaip standartines',
+ 'download_pdf' => 'Atsisiųsti PDF',
+ 'pay_now' => 'Apmokėti dabar',
+ 'save_invoice' => 'Išsaugoti sąskaitą',
+ 'clone_invoice' => 'Klonuoti į sąskaitą',
+ 'archive_invoice' => 'Archyvuoti sąskaitą',
+ 'delete_invoice' => 'Ištrinti sąskaitą',
+ 'email_invoice' => 'Išsiųsti sąskaitą el. paštu',
+ 'enter_payment' => 'Įvesti apmokėjimą',
+ 'tax_rates' => 'Mokesčių įkainiai',
+ 'rate' => 'Įkainis',
+ 'settings' => 'Nustatymai',
+ 'enable_invoice_tax' => 'Įjungti PVM mokesčius',
+ 'enable_line_item_tax' => 'Įjungti PVM mokesčius sumai',
+ 'dashboard' => 'Darbastalis',
+ 'clients' => 'Klientai',
+ 'invoices' => 'Sąskaitos',
+ 'payments' => 'Mokėjimai',
+ 'credits' => 'Kreditai',
+ 'history' => 'Istorija',
+ 'search' => 'Paieška',
+ 'sign_up' => 'Prisijunk',
+ 'guest' => 'Svečias',
+ 'company_details' => 'Imonės informacija',
+ 'online_payments' => 'Online mokėjimai',
+ 'notifications' => 'Pranešimai',
+ 'import_export' => 'Importas/Eksportas',
+ 'done' => 'Baigta',
+ 'save' => 'Saugoti',
+ 'create' => 'Kurti',
+ 'upload' => 'Įkelti',
+ 'import' => 'Importuoti',
+ 'download' => 'Atsiųsti',
+ 'cancel' => 'Atšaukti',
+ 'close' => 'Uždaryti',
+ 'provide_email' => 'Prašome pateikti galiojantį el. pašto adresą',
+ 'powered_by' => 'Sukurta',
+ 'no_items' => 'Įrašų nėra',
+ 'recurring_invoices' => 'Debeto sąskaitos',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'iš viso pajamų',
+ 'billed_client' => 'billed client',
+ 'billed_clients' => 'billed clients',
+ 'active_client' => 'active client',
+ 'active_clients' => 'active clients',
+ 'invoices_past_due' => 'Pradelsti mokėjimai',
+ 'upcoming_invoices' => 'Naujos sąskaitos',
+ 'average_invoice' => 'Sąskaitų vidurkis',
+ 'archive' => 'Archyvas',
+ 'delete' => 'Trinti',
+ 'archive_client' => 'Archive client',
+ 'delete_client' => 'Trinti klientą',
+ 'archive_payment' => 'Archive payment',
+ 'delete_payment' => 'Ištrinti mokėjimą',
+ 'archive_credit' => 'Archive credit',
+ 'delete_credit' => 'Delete credit',
+ 'show_archived_deleted' => 'Rodyti ištrintus/suarchyvuotus',
+ 'filter' => 'Filtras',
+ 'new_client' => 'Naujas klientas',
+ 'new_invoice' => 'Nauja sąskaita',
+ 'new_payment' => 'Naujas mokėjimas',
+ 'new_credit' => 'Enter Credit',
+ 'contact' => 'Kontaktai',
+ 'date_created' => 'Sukūrimo data',
+ 'last_login' => 'Paskutinis prisijungimas',
+ 'balance' => 'Balansas',
+ 'action' => 'Veiksmas',
+ 'status' => 'Būklė',
+ 'invoice_total' => 'Suma',
+ 'frequency' => 'Periodas',
+ 'start_date' => 'Pradžia',
+ 'end_date' => 'Pabaiga',
+ 'transaction_reference' => 'Transaction Reference',
+ 'method' => 'Būdas',
+ 'payment_amount' => 'Mokėjimo suma',
+ 'payment_date' => 'Mokėjimo data',
+ 'credit_amount' => 'Kredito suma',
+ 'credit_balance' => 'Kredito balansas',
+ 'credit_date' => 'Išrašymo data',
+ 'empty_table' => 'Nieko nėra',
+ 'select' => 'Pasirinkite',
+ 'edit_client' => 'Redaguoti',
+ 'edit_invoice' => 'Redaguoti',
+ 'create_invoice' => 'Sukurti sąskaitą',
+ 'enter_credit' => 'Įvesti kreditą',
+ 'last_logged_in' => 'Last logged in',
+ 'details' => 'Informacija',
+ 'standing' => 'Būklė',
+ 'credit' => 'Kreditas',
+ 'activity' => 'Įvykiai',
+ 'date' => 'Data',
+ 'message' => 'Žinutė',
+ 'adjustment' => 'Pritaikymas',
+ 'are_you_sure' => 'Ar tikrai?',
+ 'payment_type_id' => 'Mokėjimo tipas',
+ 'amount' => 'Suma',
+ 'work_email' => 'El. paštas',
+ 'language_id' => 'Kalba',
+ 'timezone_id' => 'Timezone',
+ 'date_format_id' => 'Date format',
+ 'datetime_format_id' => 'Date/Time Format',
+ 'users' => 'Klientai',
+ 'localization' => 'Localization',
+ 'remove_logo' => 'Trinti logotipą',
+ 'logo_help' => 'Supported: JPEG, GIF and PNG',
+ 'payment_gateway' => 'Payment Gateway',
+ 'gateway_id' => 'Provider',
+ 'email_notifications' => 'Email Notifications',
+ 'email_sent' => 'Email me when an invoice is sent',
+ 'email_viewed' => 'Email me when an invoice is viewed',
+ 'email_paid' => 'Email me when an invoice is paid',
+ 'site_updates' => 'Site Updates',
+ 'custom_messages' => 'Custom Messages',
+ 'default_email_footer' => 'Set default email signature',
+ 'select_file' => 'Please select a file',
+ 'first_row_headers' => 'Use first row as headers',
+ 'column' => 'Column',
+ 'sample' => 'Sample',
+ 'import_to' => 'Import to',
+ 'client_will_create' => 'klientas bus sukurtas',
+ 'clients_will_create' => 'klientai bus sukurti',
+ 'email_settings' => 'Email Settings',
+ 'client_view_styling' => 'Kliento aplinkos stilius',
+ 'pdf_email_attachment' => 'Prisegti PDF',
+ 'custom_css' => 'Individualizuotas CSS',
+ 'import_clients' => 'Import Client Data',
+ 'csv_file' => 'Select CSV file',
+ 'export_clients' => 'Export Client Data',
+ 'created_client' => 'Klientas sukurtas',
+ 'created_clients' => 'Sukurta :count klientų',
+ 'updated_settings' => 'Successfully updated settings',
+ 'removed_logo' => 'Successfully removed logo',
+ 'sent_message' => 'Successfully sent message',
+ 'invoice_error' => 'Please make sure to select a client and correct any errors',
+ 'limit_clients' => 'Sorry, this will exceed the limit of :count clients',
+ 'payment_error' => 'There was an error processing your payment. Please try again later.',
+ 'registration_required' => 'Please sign up to email an invoice',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Successfully updated client',
+ 'created_client' => 'Klientas sukurtas',
+ 'archived_client' => 'Successfully archived client',
+ 'archived_clients' => 'Successfully archived :count clients',
+ 'deleted_client' => 'Successfully deleted client',
+ 'deleted_clients' => 'Successfully deleted :count clients',
+ 'updated_invoice' => 'Successfully updated invoice',
+ 'created_invoice' => 'Successfully created invoice',
+ 'cloned_invoice' => 'Successfully cloned invoice',
+ 'emailed_invoice' => 'Successfully emailed invoice',
+ 'and_created_client' => 'ir sukūrė klientas',
+ 'archived_invoice' => 'Successfully archived invoice',
+ 'archived_invoices' => 'Successfully archived :count invoices',
+ 'deleted_invoice' => 'Successfully deleted invoice',
+ 'deleted_invoices' => 'Successfully deleted :count invoices',
+ 'created_payment' => 'Successfully created payment',
+ 'created_payments' => 'Sukurti :count mokėjimas',
+ 'archived_payment' => 'Successfully archived payment',
+ 'archived_payments' => 'Successfully archived :count payments',
+ 'deleted_payment' => 'Successfully deleted payment',
+ 'deleted_payments' => 'Successfully deleted :count payments',
+ 'applied_payment' => 'Successfully applied payment',
+ 'created_credit' => 'Successfully created credit',
+ 'archived_credit' => 'Successfully archived credit',
+ 'archived_credits' => 'Successfully archived :count credits',
+ 'deleted_credit' => 'Successfully deleted credit',
+ 'deleted_credits' => 'Successfully deleted :count credits',
+ 'imported_file' => 'Failas importuotas',
+ 'updated_vendor' => 'Atnaujintas tiekėjas',
+ 'created_vendor' => 'Sukurtas tiekėjas',
+ 'archived_vendor' => 'Sėkmingai suarchyvuoti tiekėjai',
+ 'archived_vendors' => 'Sėkmingai suarchyvuoti :count tiekėjai',
+ 'deleted_vendor' => 'Sėkmingai ištrintas tiekėjas',
+ 'deleted_vendors' => 'Ištrinta :count tiekėjų',
+ 'confirmation_subject' => 'Paskyros patvirtinimas',
+ 'confirmation_header' => 'Paskyros patvirtinimas',
+ 'confirmation_message' => 'Prašome paspausti nuorodą jei norite patvirtinti paskyrą.',
+ 'invoice_subject' => 'New invoice :number from :account',
+ 'invoice_message' => 'Norėdami pamatyti sąskaitą faktūrą :amount sumai, spauskite nuorodą apačioje.',
+ 'payment_subject' => 'Mokėjimas gautas',
+ 'payment_message' => 'Dėkojame už Jūsų atliktą mokėjimą :amount.',
+ 'email_salutation' => 'Sveiki :name,',
+ 'email_signature' => 'Linkiu geros dienos,',
+ 'email_from' => 'Naujasdizainas.com',
+ 'invoice_link_message' => 'To view your client invoice click the link below:',
+ 'notification_invoice_paid_subject' => 'Sąskaita :invoice apmokėta :client',
+ 'notification_invoice_sent_subject' => 'Sąskaita :invoice išsiųsta :client',
+ 'notification_invoice_viewed_subject' => 'Invoice :invoice was viewed by :client',
+ 'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.',
+ 'notification_invoice_sent' => 'Klientui :client išsiųsta sąskaita :invoice sumai :amount.',
+ 'notification_invoice_viewed' => 'Klientas :client žiūrėjo sąskaitą :invoice for :amount.',
+ 'reset_password' => 'You can reset your account password by clicking the following button:',
+ 'secure_payment' => 'Secure Payment',
+ 'card_number' => 'Card number',
+ 'expiration_month' => 'Expiration month',
+ 'expiration_year' => 'Expiration year',
+ 'cvv' => 'CVV',
+ 'logout' => 'Log Out',
+ 'sign_up_to_save' => 'Sign up to save your work',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Terms of Service',
+ 'email_taken' => 'The email address is already registered',
+ 'working' => 'Working',
+ 'success' => 'Success',
+ 'success_message' => 'You have succesfully registered. Please visit the link in the account confirmation email to verify your email address.',
+ 'erase_data' => 'Your account is not registered, this will permanently erase your data.',
+ 'password' => 'Slaptažodis',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'Thanks for choosing Invoice Ninja\'s Pro plan!
+ Next StepsA 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',
+ 'unsaved_changes' => 'You have unsaved changes',
+ 'custom_fields' => 'Custom fields',
+ 'company_fields' => 'Company Fields',
+ 'client_fields' => 'Client Fields',
+ 'field_label' => 'Field Label',
+ 'field_value' => 'Field Value',
+ 'edit' => 'Edit',
+ 'set_name' => 'Set your company name',
+ 'view_as_recipient' => 'View as recipient',
+ 'product_library' => 'Product Library',
+ 'product' => 'Product',
+ 'products' => 'Prekės',
+ 'fill_products' => 'Auto-fill products',
+ 'fill_products_help' => 'Selecting a product will automatically fill in the description and cost',
+ 'update_products' => 'Auto-update products',
+ 'update_products_help' => 'Updating an invoice will automatically update the product library',
+ 'create_product' => 'Add Product',
+ 'edit_product' => 'Edit Product',
+ 'archive_product' => 'Archive Product',
+ 'updated_product' => 'Successfully updated product',
+ 'created_product' => 'Successfully created product',
+ 'archived_product' => 'Successfully archived product',
+ 'pro_plan_custom_fields' => ':link to enable custom fields by joining the Pro Plan',
+ 'advanced_settings' => 'Advanced Settings',
+ 'pro_plan_advanced_settings' => ':link to enable the advanced settings by joining the Pro Plan',
+ 'invoice_design' => 'Invoice Design',
+ 'specify_colors' => 'Specify colors',
+ 'specify_colors_label' => 'Select the colors used in the invoice',
+ 'chart_builder' => 'Chart Builder',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Go Pro',
+ 'quote' => 'Pasiūlymas',
+ 'quotes' => 'Pasiūlymai',
+ 'quote_number' => 'Quote Number',
+ 'quote_number_short' => 'Quote #',
+ 'quote_date' => 'Quote Date',
+ 'quote_total' => 'Quote Total',
+ 'your_quote' => 'Your Quote',
+ 'total' => 'Total',
+ 'clone' => 'Clone',
+ 'new_quote' => 'Naujas pasiūlymas',
+ 'create_quote' => 'Sukurti pasiūlymą',
+ 'edit_quote' => 'Keisti pasiūlymą',
+ 'archive_quote' => 'Archive Quote',
+ 'delete_quote' => 'Delete Quote',
+ 'save_quote' => 'Save Quote',
+ 'email_quote' => 'Email Quote',
+ 'clone_quote' => 'Clone To Quote',
+ 'convert_to_invoice' => 'Convert to Invoice',
+ 'view_invoice' => 'Rodyti sąskaitą',
+ 'view_client' => 'Rodyti klientą',
+ 'view_quote' => 'Rodyti pasiūlymą',
+ 'updated_quote' => 'Successfully updated quote',
+ 'created_quote' => 'Successfully created quote',
+ 'cloned_quote' => 'Successfully cloned quote',
+ 'emailed_quote' => 'Successfully emailed quote',
+ 'archived_quote' => 'Successfully archived quote',
+ 'archived_quotes' => 'Successfully archived :count quotes',
+ 'deleted_quote' => 'Successfully deleted quote',
+ 'deleted_quotes' => 'Successfully deleted :count quotes',
+ 'converted_to_invoice' => 'Successfully converted quote to invoice',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'Norėdami pažiūrėti pasiūlymą :amount sumai, paspauskite nuorodą apačioje.',
+ 'quote_link_message' => 'To view your client quote click the link below:',
+ 'notification_quote_sent_subject' => 'Pasiūlymas :invoice išsiųstas :client',
+ 'notification_quote_viewed_subject' => 'Quote :invoice was viewed by :client',
+ 'notification_quote_sent' => 'The following client :client was emailed Quote :invoice for :amount.',
+ 'notification_quote_viewed' => 'The following client :client viewed Quote :invoice for :amount.',
+ 'session_expired' => 'Your session has expired.',
+ 'invoice_fields' => 'Invoice Fields',
+ 'invoice_options' => 'Invoice Options',
+ 'hide_paid_to_date' => 'Hide paid to date',
+ 'hide_paid_to_date_help' => 'Only display the "Paid to Date" area on your invoices once a payment has been received.',
+ 'charge_taxes' => 'Charge taxes',
+ 'user_management' => 'User Management',
+ 'add_user' => 'Naujas narys',
+ 'send_invite' => 'Send Invitation',
+ 'sent_invite' => 'Successfully sent invitation',
+ 'updated_user' => 'Successfully updated user',
+ 'invitation_message' => 'You\'ve been invited by :invitor. ',
+ 'register_to_add_user' => 'Please sign up to add a user',
+ 'user_state' => 'Būklė',
+ 'edit_user' => 'Edit User',
+ 'delete_user' => 'Delete User',
+ 'active' => 'Aktyvus',
+ 'pending' => 'Laukia patvirtinimo',
+ 'deleted_user' => 'Successfully deleted user',
+ 'confirm_email_invoice' => 'Are you sure you want to email this invoice?',
+ 'confirm_email_quote' => 'Are you sure you want to email this quote?',
+ 'confirm_recurring_email_invoice' => 'Are you sure you want this invoice emailed?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Cancel Account',
+ 'cancel_account_message' => 'Warning: This will permanently delete your account, there is no undo.',
+ 'go_back' => 'Atgal',
+ 'data_visualizations' => 'Data Visualizations',
+ 'sample_data' => 'Sample data shown',
+ 'hide' => 'Slėpti',
+ 'new_version_available' => 'A new version of :releases_link is available. You\'re running v:user_version, the latest is v:latest_version',
+ 'invoice_settings' => 'Invoice Settings',
+ 'invoice_number_prefix' => 'Sąskaitos serija',
+ 'invoice_number_counter' => 'Invoice Number Counter',
+ 'quote_number_prefix' => 'Quote Number Prefix',
+ 'quote_number_counter' => 'Quote Number Counter',
+ 'share_invoice_counter' => 'Share invoice counter',
+ 'invoice_issued_to' => 'Invoice issued to',
+ 'invalid_counter' => 'To prevent a possible conflict please set either an invoice or quote number prefix',
+ 'mark_sent' => 'Mark sent',
+ 'gateway_help_1' => ':link to sign up for Authorize.net.',
+ 'gateway_help_2' => ':link to sign up for Authorize.net.',
+ 'gateway_help_17' => ':link to get your PayPal API signature.',
+ 'gateway_help_27' => ':link to sign up for 2Checkout.com. To ensure payments are tracked set :complete_link as the redirect URL under Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'More designs',
+ 'more_designs_title' => 'Additional Invoice Designs',
+ 'more_designs_cloud_header' => 'Go Pro for more invoice designs',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Buy',
+ 'bought_designs' => 'Successfully added additional invoice designs',
+ 'sent' => 'Sent',
+ 'vat_number' => 'PVM kodas',
+ 'timesheets' => 'Laiko juosta',
+ 'payment_title' => 'Enter Your Billing Address and Credit Card information',
+ 'payment_cvv' => '*This is the 3-4 digit number onthe back of your card',
+ 'payment_footer1' => '*Billing address must match address associated with credit card.',
+ 'payment_footer2' => '*Please click "PAY NOW" only once - transaction may take up to 1 minute to process.',
+ 'id_number' => 'Įmonės kodas',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'Successfully enabled white label license',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Atkurti',
+ 'restore_invoice' => 'Restore Invoice',
+ 'restore_quote' => 'Restore Quote',
+ 'restore_client' => 'Restore Client',
+ 'restore_credit' => 'Restore Credit',
+ 'restore_payment' => 'Restore Payment',
+ 'restored_invoice' => 'Successfully restored invoice',
+ 'restored_quote' => 'Successfully restored quote',
+ 'restored_client' => 'Successfully restored client',
+ 'restored_payment' => 'Successfully restored payment',
+ 'restored_credit' => 'Successfully restored credit',
+ 'reason_for_canceling' => 'Help us improve our site by telling us why you\'re leaving.',
+ 'discount_percent' => 'Procentas',
+ 'discount_amount' => 'Suma',
+ 'invoice_history' => 'Invoice History',
+ 'quote_history' => 'Quote History',
+ 'current_version' => 'Current version',
+ 'select_version' => 'Select version',
+ 'view_history' => 'View History',
+ 'edit_payment' => 'Edit Payment',
+ 'updated_payment' => 'Mokėjimas atnaujintas',
+ 'deleted' => 'Deleted',
+ 'restore_user' => 'Restore User',
+ 'restored_user' => 'Successfully restored user',
+ 'show_deleted_users' => 'Show deleted users',
+ 'email_templates' => 'Email Templates',
+ 'invoice_email' => 'Invoice Email',
+ 'payment_email' => 'Payment Email',
+ 'quote_email' => 'Quote Email',
+ 'reset_all' => 'Reset All',
+ 'approve' => 'Approve',
+ 'token_billing_type_id' => 'Token Billing',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Disabled',
+ 'token_billing_2' => 'Opt-in - checkbox is shown but not selected',
+ 'token_billing_3' => 'Opt-out - checkbox is shown and selected',
+ 'token_billing_4' => 'Always',
+ 'token_billing_checkbox' => 'Store credit card details',
+ 'view_in_gateway' => 'View in :gateway',
+ 'use_card_on_file' => 'Use Card on File',
+ 'edit_payment_details' => 'Edit payment details',
+ 'token_billing' => 'Save card details',
+ 'token_billing_secure' => 'The data is stored securely by :link',
+ 'support' => 'Support',
+ 'contact_information' => 'Contact information',
+ '256_encryption' => '256-Bit Encryption',
+ 'amount_due' => 'Amount due',
+ 'billing_address' => 'Billing address',
+ 'billing_method' => 'Billing method',
+ 'order_overview' => 'Order overview',
+ 'match_address' => '*Address must match address associated with credit card.',
+ 'click_once' => '*Please click "PAY NOW" only once - transaction may take up to 1 minute to process.',
+ 'invoice_footer' => 'Invoice footer',
+ 'save_as_default_footer' => 'Save as default footer',
+ 'token_management' => 'Token Management',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Add Token',
+ 'show_deleted_tokens' => 'Show deleted tokens',
+ 'deleted_token' => 'Successfully deleted token',
+ 'created_token' => 'Successfully created token',
+ 'updated_token' => 'Successfully updated token',
+ 'edit_token' => 'Edit Token',
+ 'delete_token' => 'Delete Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Add Gateway',
+ 'delete_gateway' => 'Delete Gateway',
+ 'edit_gateway' => 'Edit Gateway',
+ 'updated_gateway' => 'Successfully updated gateway',
+ 'created_gateway' => 'Successfully created gateway',
+ 'deleted_gateway' => 'Successfully deleted gateway',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Credit card',
+ 'change_password' => 'Change password',
+ 'current_password' => 'Current password',
+ 'new_password' => 'New password',
+ 'confirm_password' => 'Confirm password',
+ 'password_error_incorrect' => 'The current password is incorrect.',
+ 'password_error_invalid' => 'The new password is invalid.',
+ 'updated_password' => 'Successfully updated password',
+ 'api_tokens' => 'API Tokens',
+ 'users_and_tokens' => 'Users & Tokens',
+ 'account_login' => 'Jungtis',
+ 'recover_password' => 'Atkurti slaptažodį',
+ 'forgot_password' => 'Pamiršote slaptažodį?',
+ 'email_address' => 'El. pašto adresas',
+ 'lets_go' => 'Pradėkim',
+ 'password_recovery' => 'Slaptažodžio pirminimas',
+ 'send_email' => 'Send Email',
+ 'set_password' => 'Įrašyti slaptažodį',
+ 'converted' => 'Converted',
+ 'email_approved' => 'Email me when a quote is approved',
+ 'notification_quote_approved_subject' => 'Quote :invoice was approved by :client',
+ 'notification_quote_approved' => 'The following client :client approved Quote :invoice for :amount.',
+ 'resend_confirmation' => 'Resend confirmation email',
+ 'confirmation_resent' => 'The confirmation email was resent',
+ 'gateway_help_42' => ':link to sign up for BitPay.
Note: use a Legacy API Key, not an API token.',
+ 'payment_type_credit_card' => 'Credit card',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Knowledge Base',
+ 'partial' => 'Partial/Deposit',
+ 'partial_remaining' => ':partial of :balance',
+ 'more_fields' => 'More Fields',
+ 'less_fields' => 'Less Fields',
+ 'client_name' => 'Client Name',
+ 'pdf_settings' => 'PDF Settings',
+ 'product_settings' => 'Product Settings',
+ 'auto_wrap' => 'Auto Line Wrap',
+ 'duplicate_post' => 'Warning: the previous page was submitted twice. The second submission had been ignored.',
+ 'view_documentation' => 'View Documentation',
+ 'app_title' => 'Free Open-Source Online Invoicing',
+ 'app_description' => 'Invoice Ninja is a free, open-source solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.',
+ 'rows' => 'rows',
+ 'www' => 'www',
+ 'logo' => 'Logotipas',
+ 'subdomain' => 'Subdomain',
+ 'provide_name_or_email' => 'Please provide a name or email',
+ 'charts_and_reports' => 'Diagramos ir ataskaitos',
+ 'chart' => 'Diagrama',
+ 'report' => 'Ataskaita',
+ 'group_by' => 'Grupuoti pagal',
+ 'paid' => 'Apmokėta',
+ 'enable_report' => 'Ataskaita',
+ 'enable_chart' => 'Diagrama',
+ 'totals' => 'Viso',
+ 'run' => 'Pradėti',
+ 'export' => 'Export',
+ 'documentation' => 'Documentation',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Debetinės',
+ 'last_invoice_sent' => 'Paskutinė sąskaita išsiųsta :date',
+ 'processed_updates' => 'Atnaujinta',
+ 'tasks' => 'Darbai',
+ 'new_task' => 'Naujas darbas',
+ 'start_time' => 'Pradžia',
+ 'created_task' => 'Sukurtas darbas',
+ 'updated_task' => 'Atnaujintas darbas',
+ 'edit_task' => 'Keisti',
+ 'archive_task' => 'Archyvuoti',
+ 'restore_task' => 'Tęsti',
+ 'delete_task' => 'Trinti',
+ 'stop_task' => 'Stabdyti',
+ 'time' => 'Laikas',
+ 'start' => 'Pradėti',
+ 'stop' => 'Stabdyti',
+ 'now' => 'Dabar',
+ 'timer' => 'Chronometras',
+ 'manual' => 'Nurodyti',
+ 'date_and_time' => 'Data ir laikas',
+ 'second' => 'Second',
+ 'seconds' => 'Seconds',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minutes',
+ 'hour' => 'Hour',
+ 'hours' => 'Hours',
+ 'task_details' => 'Task Details',
+ 'duration' => 'Trukmė',
+ 'end_time' => 'Pabaiga',
+ 'end' => 'Baigti',
+ 'invoiced' => 'Invoiced',
+ 'logged' => 'Logged',
+ 'running' => 'Vykdomas',
+ 'task_error_multiple_clients' => 'The tasks can\'t belong to different clients',
+ 'task_error_running' => 'Please stop running tasks first',
+ 'task_error_invoiced' => 'Tasks have already been invoiced',
+ 'restored_task' => 'Successfully restored task',
+ 'archived_task' => 'Successfully archived task',
+ 'archived_tasks' => 'Successfully archived :count tasks',
+ 'deleted_task' => 'Successfully deleted task',
+ 'deleted_tasks' => 'Successfully deleted :count tasks',
+ 'create_task' => 'Sukurti darbą',
+ 'stopped_task' => 'Successfully stopped task',
+ 'invoice_task' => 'Išrašyti sąskaitą',
+ 'invoice_labels' => 'Invoice Labels',
+ 'prefix' => 'Priešdėlis',
+ 'counter' => 'Counter',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link to sign up for Dwolla.',
+ 'partial_value' => 'Must be greater than zero and less than the total',
+ 'more_actions' => 'Kiti veiksmai',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Upgrade Now!',
+ 'pro_plan_feature1' => 'Create Unlimited Clients',
+ 'pro_plan_feature2' => 'Access to 10 Beautiful Invoice Designs',
+ 'pro_plan_feature3' => 'Custom URLs - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Remove "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Kelių pirkėjų prieigos ir veiklos stebėjimas',
+ 'pro_plan_feature6' => 'Create Quotes & Pro-forma Invoices',
+ 'pro_plan_feature7' => 'Customize Invoice Field Titles & Numbering',
+ 'pro_plan_feature8' => 'Option to Attach PDFs to Client Emails',
+ 'resume' => 'Tęsti',
+ 'break_duration' => 'Pertrauka',
+ 'edit_details' => 'Keisti',
+ 'work' => 'Darbas',
+ 'timezone_unset' => 'Please :link to set your timezone',
+ 'click_here' => 'spausti čia',
+ 'email_receipt' => 'Email payment receipt to the client',
+ 'created_payment_emailed_client' => 'Sukurtas mokėjimas ir išsiųstas klientui',
+ 'add_company' => 'Add Company',
+ 'untitled' => 'Untitled',
+ 'new_company' => 'New Company',
+ 'associated_accounts' => 'Successfully linked accounts',
+ 'unlinked_account' => 'Successfully unlinked accounts',
+ 'login' => 'Login',
+ 'or' => 'arba',
+ 'email_error' => 'There was a problem sending the email',
+ 'confirm_recurring_timing' => 'Note: emails are sent at the start of the hour.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Sets the default invoice due date',
+ 'unlink_account' => 'Unlink Account',
+ 'unlink' => 'Unlink',
+ 'show_address' => 'Show Address',
+ 'show_address_help' => 'Require client to provide their billing address',
+ 'update_address' => 'Update Address',
+ 'update_address_help' => 'Update client\'s address with provided details',
+ 'times' => 'Laikas',
+ 'set_now' => 'Dabar',
+ 'dark_mode' => 'Dark Mode',
+ 'dark_mode_help' => 'Use a dark background for the sidebars',
+ 'add_to_invoice' => 'Add to invoice :invoice',
+ 'create_new_invoice' => 'Create new invoice',
+ 'task_errors' => 'Please correct any overlapping times',
+ 'from' => 'Pardavėjas',
+ 'to' => 'Pirkėjas',
+ 'font_size' => 'Font Size',
+ 'primary_color' => 'Primary Color',
+ 'secondary_color' => 'Secondary Color',
+ 'customize_design' => 'Customize Design',
+ 'content' => 'Turinys',
+ 'styles' => 'Stiliai',
+ 'defaults' => 'Numatyti',
+ 'margins' => 'Tarpai',
+ 'header' => 'Viršus',
+ 'footer' => 'Apačia',
+ 'custom' => 'Kurti',
+ 'invoice_to' => 'Kam sąskaita',
+ 'invoice_no' => 'Sąskaitos faktūros Nr.',
+ 'quote_no' => 'Pasiūlymo Nr.',
+ 'recent_payments' => 'Naujausi mokėjimai',
+ 'outstanding' => 'Neapmokėta',
+ 'manage_companies' => 'Valdyti įmones',
+ 'total_revenue' => 'Iš viso pajamų',
+ 'current_user' => 'Dabartinis vartotojas',
+ 'new_recurring_invoice' => 'Nauja debeto sąskaita',
+ 'recurring_invoice' => 'Debeto sąskaita',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'It\'s too soon to create the next recurring invoice, it\'s scheduled for :date',
+ 'created_by_invoice' => 'Sukurta :invoice',
+ 'primary_user' => 'Primary User',
+ 'help' => 'Pagalba',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Terminas',
+ 'quote_due_date' => 'Galioja iki',
+ 'valid_until' => 'Galioja iki',
+ 'reset_terms' => 'Naujos sąlygos',
+ 'reset_footer' => 'Reset footer',
+ 'invoice_sent' => ':count invoice sent',
+ 'invoices_sent' => ':count invoices sent',
+ 'status_draft' => 'Juodraštis',
+ 'status_sent' => 'Išsiųsta',
+ 'status_viewed' => 'Parodyta',
+ 'status_partial' => 'Dalinis',
+ 'status_paid' => 'Apmokėta',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Display line item taxes inline',
+ 'iframe_url' => 'Tinklapis',
+ 'iframe_url_help1' => 'Copy the following code to a page on your site.',
+ 'iframe_url_help2' => 'You can test the feature by clicking \'View as recipient\' for an invoice.',
+ 'auto_bill' => 'Automatinis mokėjimas',
+ 'military_time' => '24 val. formatas',
+ 'last_sent' => 'Last Sent',
+ 'reminder_emails' => 'Reminder Emails',
+ 'templates_and_reminders' => 'Templates & Reminders',
+ 'subject' => 'Tema',
+ 'body' => 'Žinutė',
+ 'first_reminder' => 'First Reminder',
+ 'second_reminder' => 'Second Reminder',
+ 'third_reminder' => 'Third Reminder',
+ 'num_days_reminder' => 'Days after due date',
+ 'reminder_subject' => 'Reminder: Invoice :invoice from :account',
+ 'reset' => 'Iš naujo',
+ 'invoice_not_found' => 'The requested invoice is not available',
+ 'referral_program' => 'Referral Program',
+ 'referral_code' => 'Referral Code',
+ 'last_sent_on' => 'Last sent on :date',
+ 'page_expire' => 'This page will expire soon, :click_here to keep working',
+ 'upcoming_quotes' => 'Upcoming Quotes',
+ 'expired_quotes' => 'Expired Quotes',
+ 'sign_up_using' => 'Sign up using',
+ 'invalid_credentials' => 'These credentials do not match our records',
+ 'show_all_options' => 'Show all options',
+ 'user_details' => 'User Details',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Disable',
+ 'invoice_quote_number' => 'Invoice and Quote Numbers',
+ 'invoice_charges' => 'Invoice Surcharges',
+ 'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact.',
+ 'notification_invoice_bounced_subject' => 'Unable to deliver Invoice :invoice',
+ 'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact.',
+ 'notification_quote_bounced_subject' => 'Unable to deliver Quote :invoice',
+ 'custom_invoice_link' => 'Custom Invoice Link',
+ 'total_invoiced' => 'Total Invoiced',
+ 'open_balance' => 'Open Balance',
+ 'verify_email' => 'Please visit the link in the account confirmation email to verify your email address.',
+ 'basic_settings' => 'Basic Settings',
+ 'pro' => 'Pro',
+ 'gateways' => 'Payment Gateways',
+ 'next_send_on' => 'Siųsti kitą: :date',
+ 'no_longer_running' => 'This invoice is not scheduled to run',
+ 'general_settings' => 'General Settings',
+ 'customize' => 'Customize',
+ 'oneclick_login_help' => 'Connect an account to login without a password',
+ 'referral_code_help' => 'Earn money by sharing our app online',
+ 'enable_with_stripe' => 'Enable | Requires Stripe',
+ 'tax_settings' => 'Tax Settings',
+ 'create_tax_rate' => 'Add Tax Rate',
+ 'updated_tax_rate' => 'Successfully updated tax rate',
+ 'created_tax_rate' => 'Successfully created tax rate',
+ 'edit_tax_rate' => 'Edit tax rate',
+ 'archive_tax_rate' => 'Archive tax rate',
+ 'archived_tax_rate' => 'Successfully archived the tax rate',
+ 'default_tax_rate_id' => 'Default Tax Rate',
+ 'tax_rate' => 'Tax Rate',
+ 'recurring_hour' => 'Recurring Hour',
+ 'pattern' => 'Pattern',
+ 'pattern_help_title' => 'Pattern Help',
+ 'pattern_help_1' => 'Create custom numbers by specifying a pattern',
+ 'pattern_help_2' => 'Available variables:',
+ 'pattern_help_3' => 'For example, :example would be converted to :value',
+ 'see_options' => 'See options',
+ 'invoice_counter' => 'Invoice Counter',
+ 'quote_counter' => 'Quote Counter',
+ 'type' => 'Type',
+ 'activity_1' => ':user sukūrė klientą :client',
+ 'activity_2' => ':user archived client :client',
+ 'activity_3' => ':user deleted client :client',
+ 'activity_4' => ':user sukurta sąskaita :invoice',
+ 'activity_5' => ':user updated invoice :invoice',
+ 'activity_6' => ':user išsiuntė sąskaitą :invoice - :contact',
+ 'activity_7' => ':contact viewed invoice :invoice',
+ 'activity_8' => ':user archived invoice :invoice',
+ 'activity_9' => ':user deleted invoice :invoice',
+ 'activity_10' => ':contact entered payment :payment for :invoice',
+ 'activity_11' => ':user atnaujino mokėjimą :payment',
+ 'activity_12' => ':user archived payment :payment',
+ 'activity_13' => ':user deleted payment :payment',
+ 'activity_14' => ':user entered :credit credit',
+ 'activity_15' => ':user updated :credit credit',
+ 'activity_16' => ':user archived :credit credit',
+ 'activity_17' => ':user deleted :credit credit',
+ 'activity_18' => ':user created quote :quote',
+ 'activity_19' => ':user updated quote :quote',
+ 'activity_20' => ':user emailed quote :quote to :contact',
+ 'activity_21' => ':contact viewed quote :quote',
+ 'activity_22' => ':user archived quote :quote',
+ 'activity_23' => ':user deleted quote :quote',
+ 'activity_24' => ':user restored quote :quote',
+ 'activity_25' => ':user restored invoice :invoice',
+ 'activity_26' => ':user restored client :client',
+ 'activity_27' => ':user restored payment :payment',
+ 'activity_28' => ':user restored :credit credit',
+ 'activity_29' => ':contact approved quote :quote',
+ 'activity_30' => ':user created vendor :vendor',
+ 'activity_31' => ':user archived vendor :vendor',
+ 'activity_32' => ':user deleted vendor :vendor',
+ 'activity_33' => ':user restored vendor :vendor',
+ 'activity_34' => ':user sukurta sąskaita :expense',
+ 'activity_35' => ':user archived expense :expense',
+ 'activity_36' => ':user deleted expense :expense',
+ 'activity_37' => ':user restored expense :expense',
+ 'activity_42' => ':user created task :task',
+ 'activity_43' => ':user updated task :task',
+ 'activity_44' => ':user archived task :task',
+ 'activity_45' => ':user deleted task :task',
+ 'activity_46' => ':user restored task :task',
+ 'activity_47' => ':user updated expense :expense',
+ 'payment' => 'Payment',
+ 'system' => 'System',
+ 'signature' => 'Email Signature',
+ 'default_messages' => 'Default Messages',
+ 'quote_terms' => 'Quote Terms',
+ 'default_quote_terms' => 'Default Quote Terms',
+ 'default_invoice_terms' => 'Set default invoice terms',
+ 'default_invoice_footer' => 'Set default invoice footer',
+ 'quote_footer' => 'Quote Footer',
+ 'free' => 'Free',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Apply Credit',
+ 'system_settings' => 'System Settings',
+ 'archive_token' => 'Archive Token',
+ 'archived_token' => 'Successfully archived token',
+ 'archive_user' => 'Archive User',
+ 'archived_user' => 'Successfully archived user',
+ 'archive_account_gateway' => 'Archive Gateway',
+ 'archived_account_gateway' => 'Successfully archived gateway',
+ 'archive_recurring_invoice' => 'Archive Recurring Invoice',
+ 'archived_recurring_invoice' => 'Successfully archived recurring invoice',
+ 'delete_recurring_invoice' => 'Delete Recurring Invoice',
+ 'deleted_recurring_invoice' => 'Successfully deleted recurring invoice',
+ 'restore_recurring_invoice' => 'Restore Recurring Invoice',
+ 'restored_recurring_invoice' => 'Successfully restored recurring invoice',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archived',
+ 'untitled_account' => 'Untitled Company',
+ 'before' => 'Before',
+ 'after' => 'After',
+ 'reset_terms_help' => 'Reset to the default account terms',
+ 'reset_footer_help' => 'Reset to the default account footer',
+ 'export_data' => 'Export Data',
+ 'user' => 'User',
+ 'country' => 'Country',
+ 'include' => 'Include',
+ 'logo_too_large' => 'Your logo is :size, for better PDF performance we suggest uploading an image file less than 200KB',
+ 'import_freshbooks' => 'Import From FreshBooks',
+ 'import_data' => 'Import Data',
+ 'source' => 'Source',
+ 'csv' => 'CSV',
+ 'client_file' => 'Client File',
+ 'invoice_file' => 'Invoice File',
+ 'task_file' => 'Task File',
+ 'no_mapper' => 'No valid mapping for file',
+ 'invalid_csv_header' => 'Invalid CSV Header',
+ 'client_portal' => 'Client Portal',
+ 'admin' => 'Admin',
+ 'disabled' => 'Disabled',
+ 'show_archived_users' => 'Show archived users',
+ 'notes' => 'Notes',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => 'invoices will be created',
+ 'failed_to_import' => 'The following records failed to import, they either already exist or are missing required fields.',
+ 'publishable_key' => 'Publishable Key',
+ 'secret_key' => 'Secret Key',
+ 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process',
+ 'email_design' => 'Email Design',
+ 'due_by' => 'Due by :date',
+ 'enable_email_markup' => 'Enable Markup',
+ 'enable_email_markup_help' => 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
+ 'template_help_title' => 'Templates Help',
+ 'template_help_1' => 'Available variables:',
+ 'email_design_id' => 'Email Style',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'Plain',
+ 'light' => 'Light',
+ 'dark' => 'Dark',
+ 'industry_help' => 'Used to provide comparisons against the averages of companies of similar size and industry.',
+ 'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the invoice number.',
+ 'quote_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the quote number.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Add a label and value to the company details section of the PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Add a text input to the invoice create/edit page and include the charge in the invoice subtotals.',
+ 'token_expired' => 'Patvirtinimo raktas negalioja. Prašau, pabandykite dar kartą.',
+ 'invoice_link' => 'Sąskaitos nuoroda',
+ 'button_confirmation_message' => 'Spustelėkite norėdami patvirtinti savo el. pašto adresą.',
+ 'confirm' => 'Patvirtinti',
+ 'email_preferences' => 'Pranešimų nustatymai',
+ 'created_invoices' => 'Successfully created :count invoice(s)',
+ 'next_invoice_number' => 'The next invoice number is :number.',
+ 'next_quote_number' => 'The next quote number is :number.',
+ 'days_before' => 'days before the',
+ 'days_after' => 'days after the',
+ 'field_due_date' => 'due date',
+ 'field_invoice_date' => 'sąskaitos data',
+ 'schedule' => 'Grafikas',
+ 'email_designs' => 'Email Designs',
+ 'assigned_when_sent' => 'Bus sugeneruota',
+ 'white_label_purchase_link' => 'Purchase a white label license',
+ 'expense' => 'Išlaidos',
+ 'expenses' => 'Išlaidos',
+ 'new_expense' => 'Enter Expense',
+ 'enter_expense' => 'Įveskite išlaidas',
+ 'vendors' => 'Tiekėjai',
+ 'new_vendor' => 'Naujas tiekėjas',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Tiekėjas',
+ 'edit_vendor' => 'Keisti',
+ 'archive_vendor' => 'Archyvuoti',
+ 'delete_vendor' => 'Trinti',
+ 'view_vendor' => 'Rodyti',
+ 'deleted_expense' => 'Successfully deleted expense',
+ 'archived_expense' => 'Successfully archived expense',
+ 'deleted_expenses' => 'Successfully deleted expenses',
+ 'archived_expenses' => 'Successfully archived expenses',
+ 'expense_amount' => 'Expense Amount',
+ 'expense_balance' => 'Expense Balance',
+ 'expense_date' => 'Expense Date',
+ 'expense_should_be_invoiced' => 'Should this expense be invoiced?',
+ 'public_notes' => 'Viešos pastabos',
+ 'invoice_amount' => 'Sąskaitos suma',
+ 'exchange_rate' => 'Valiutos kursas',
+ 'yes' => 'Taip',
+ 'no' => 'Ne',
+ 'should_be_invoiced' => 'Būtina sąskaita faktūra',
+ 'view_expense' => 'View expense # :expense',
+ 'edit_expense' => 'Edit Expense',
+ 'archive_expense' => 'Archive Expense',
+ 'delete_expense' => 'Delete Expense',
+ 'view_expense_num' => 'Expense # :expense',
+ 'updated_expense' => 'Successfully updated expense',
+ 'created_expense' => 'Successfully created expense',
+ 'enter_expense' => 'Įveskite išlaidas',
+ 'view' => 'View',
+ 'restore_expense' => 'Restore Expense',
+ 'invoice_expense' => 'Invoice Expense',
+ 'expense_error_multiple_clients' => 'The expenses can\'t belong to different clients',
+ 'expense_error_invoiced' => 'Expense has already been invoiced',
+ 'convert_currency' => 'Konvertuoti valiutą',
+ 'num_days' => 'Number of Days',
+ 'create_payment_term' => 'Create Payment Term',
+ 'edit_payment_terms' => 'Edit Payment Term',
+ 'edit_payment_term' => 'Edit Payment Term',
+ 'archive_payment_term' => 'Archive Payment Term',
+ 'recurring_due_dates' => 'Recurring Invoice Due Dates',
+ '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.
+
+
',
+ 'due' => 'Due',
+ 'next_due_on' => 'Sekantis mokėjimas: :date',
+ 'use_client_terms' => 'Naudokite klientui terminus',
+ 'day_of_month' => ':ordinal day of month',
+ 'last_day_of_month' => 'Paskutinė mėnesio diena',
+ 'day_of_week_after' => ':ordinal po :day',
+ 'sunday' => 'Sekmadienis',
+ 'monday' => 'Pirmadienis',
+ 'tuesday' => 'Antradienis',
+ 'wednesday' => 'Trečiadienis',
+ 'thursday' => 'Ketvirtadienis',
+ 'friday' => 'Penktadienis',
+ 'saturday' => 'Šeštadienis',
+ 'header_font_id' => 'Header Font',
+ 'body_font_id' => 'Body Font',
+ 'color_font_help' => 'Note: the primary color and fonts are also used in the client portal and custom email designs.',
+ 'live_preview' => 'Live Preview',
+ 'invalid_mail_config' => 'Unable to send email, please check that the mail settings are correct.',
+ 'invoice_message_button' => 'To view your invoice for :amount, click the button below.',
+ 'quote_message_button' => 'To view your quote for :amount, click the button below.',
+ 'payment_message_button' => 'Thank you for your payment of :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Bank Accounts',
+ 'add_bank_account' => 'Add Bank Account',
+ 'setup_account' => 'Setup Account',
+ 'import_expenses' => 'Import Expenses',
+ 'bank_id' => 'bank',
+ 'integration_type' => 'Integration Type',
+ 'updated_bank_account' => 'Successfully updated bank account',
+ 'edit_bank_account' => 'Edit Bank Account',
+ 'archive_bank_account' => 'Archive Bank Account',
+ 'archived_bank_account' => 'Successfully archived bank account',
+ 'created_bank_account' => 'Successfully created bank account',
+ 'validate_bank_account' => 'Validate Bank Account',
+ 'bank_password_help' => 'Note: your password is transmitted securely and never stored on our servers.',
+ 'bank_password_warning' => 'Warning: your password may be transmitted in plain text, consider enabling HTTPS.',
+ 'username' => 'Username',
+ 'account_number' => 'Account Number',
+ 'account_name' => 'Account Name',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Approved',
+ 'quote_settings' => 'Quote Settings',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved by a client.',
+ 'validate' => 'Validate',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Successfully created :count_vendors vendor(s) and :count_expenses expense(s)',
+ 'iframe_url_help3' => 'Note: if you plan on accepting credit cards details we strongly recommend enabling HTTPS on your site.',
+ 'expense_error_multiple_currencies' => 'The expenses can\'t have different currencies.',
+ 'expense_error_mismatch_currencies' => 'The client\'s currency does not match the expense currency.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'first page',
+ 'all_pages' => 'all pages',
+ 'last_page' => 'last page',
+ 'all_pages_header' => 'Show header on',
+ 'all_pages_footer' => 'Show footer on',
+ 'invoice_currency' => 'Sąskaitos valiuta',
+ 'enable_https' => 'We strongly recommend using HTTPS to accept credit card details online.',
+ 'quote_issued_to' => 'Quote issued to',
+ 'show_currency_code' => 'Valiutos kodas',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Your account will receive a free two week trial of our pro plan.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Start Free Trial',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Overdue',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'To adjust your email notification settings please visit :link',
+ 'reset_password_footer' => 'If you did not request this password reset please email our support: :email',
+ 'limit_users' => 'Sorry, this will exceed the limit of :limit users',
+ 'more_designs_self_host_header' => 'Get 6 more invoice designs for just $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link to remove the Invoice Ninja logo by joining the Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Click here',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'Viewed',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Neaktyvioms sąskaitoms faktūroms el. pašto siųsti negalima',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'List Invoices',
+ 'list_clients' => 'List Clients',
+ 'list_quotes' => 'List Quotes',
+ 'list_tasks' => 'List Tasks',
+ 'list_expenses' => 'List Expenses',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => 'List Payments',
+ 'list_credits' => 'List Credits',
+ 'tax_name' => 'Tax Name',
+ 'report_settings' => 'Report Settings',
+ 'search_hotkey' => 'shortcut is /',
+
+ 'new_user' => 'New User',
+ 'new_product' => 'New Product',
+ 'new_tax_rate' => 'New Tax Rate',
+ 'invoiced_amount' => 'Invoiced Amount',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Recurring Number',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Password Protect Invoices',
+ 'enable_portal_password_help' => 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Expired',
+ 'invalid_card_number' => 'The credit card number is not valid.',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Cost',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Valdytojas',
+ 'administrator' => 'Administratorius',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Dalinis',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'Sausis',
+ 'february' => 'Vasaris',
+ 'march' => 'Kovas',
+ 'april' => 'Balandis',
+ 'may' => 'Gegužė',
+ 'june' => 'Birželis',
+ 'july' => 'Liepa',
+ 'august' => 'Rugpjūtis',
+ 'september' => 'Rugsėjis',
+ 'october' => 'Spalis',
+ 'november' => 'Lapkritis',
+ 'december' => 'Gruodis',
+
+ // Documents
+ 'documents_header' => 'Dokumentai:',
+ 'email_documents_header' => 'Dokumentai:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Įkelti dokumentai',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'Iš išlaidų:',
+ 'dropzone_default_message' => 'Įkelkite dokumentus arba spustelėkite, kad įkelti',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Atšaukti',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Trinti dokumentus',
+ 'documents' => 'Dokumentai',
+ 'document_date' => 'Dokumentų data',
+ 'document_size' => 'Dydis',
+
+ 'enable_client_portal' => 'Dashboard',
+ 'enable_client_portal_help' => 'Show/hide the dashboard page in the client portal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Account Management',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Monthly',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Month',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Live Preview',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Grąžinti',
+ 'refund_max' => 'Maks.:',
+ 'refund' => 'Pinigų grąžinimas',
+ 'are_you_sure_refund' => 'Grąžinti pinigus pasirinktam mokėjimui?',
+ 'status_pending' => 'Laukia',
+ 'status_completed' => 'Apmokėta',
+ 'status_failed' => 'Nepavyko',
+ 'status_partially_refunded' => 'Dalinis grąžinimas',
+ 'status_partially_refunded_amount' => ':amount grąžinta',
+ 'status_refunded' => 'Grąžinta',
+ 'status_voided' => 'Atšaukta',
+ 'refunded_payment' => 'Grąžinti mokėjimai',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Nežininomas',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Kliento Id',
+ 'secret' => 'Slaptas žodis',
+ 'public_key' => 'Viešas raktas',
+ 'plaid_optional' => '(nebūtina)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Kiti tiekėjai',
+ 'country_not_supported' => 'Šiai šaliai negalima.',
+ 'invalid_routing_number' => 'Neteisingas identifikacijos kodas.',
+ 'invalid_account_number' => 'Paskyros numeris neteisingas.',
+ 'account_number_mismatch' => 'Ne atitinka paskyros numeris.',
+ 'missing_account_holder_type' => 'Prašome pasirinkti privačią arba įmonės sąskaitą.',
+ 'missing_account_holder_name' => 'Prašome įrašyti paskyros valdytojo vardą.',
+ 'routing_number' => 'Identifikacijos kodas ',
+ 'confirm_account_number' => 'Patvirtinkite sąskaitos numerį',
+ 'individual_account' => 'Asmens paskyra',
+ 'company_account' => 'Įmonės paskyra',
+ 'account_holder_name' => 'Paskyros savininko vardas',
+ 'add_account' => 'Nauja paskyra',
+ 'payment_methods' => 'Mokėjimo būdai',
+ 'complete_verification' => 'Užbaigti patikrą',
+ 'verification_amount1' => 'Suma 1',
+ 'verification_amount2' => 'Suma 2',
+ 'payment_method_verified' => 'Patikrinimas pavyko',
+ 'verification_failed' => 'Patikrinimas nepavyko',
+ 'remove_payment_method' => 'Pašalinti mokėjimo būdą',
+ 'confirm_remove_payment_method' => 'Ar tikrai trinti šį mokėjimo būdą?',
+ 'remove' => 'Trinti',
+ 'payment_method_removed' => 'Pašalinti mokėjimo būdai.',
+ 'bank_account_verification_help' => 'Mes padarėme du indėlius į Jūsų sąskaitą su aprašymu "VERIFICATION". Šie indėliai bus 1-2 darbo dienas rodomi ataskaitoje. Prašome įrašyti žemiau esančias sumas.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Nežinomas bankas',
+ 'ach_verification_delay_help' => 'Galėsite naudotis sąskaita po patikrinimo. Patikrinimas paprastai trunka 1-2 darbo dienas.',
+ 'add_credit_card' => 'Nauja kreditinė kortelė',
+ 'payment_method_added' => 'Naujas mokėjimo būdas.',
+ 'use_for_auto_bill' => 'Naudoti debetiniam mokėjimui',
+ 'used_for_auto_bill' => 'Debetinis mokėjimo būdas',
+ 'payment_method_set_as_default' => 'Nustatykite debetini mokėjimo būdą.',
+ 'activity_41' => ':payment_amount mokėjimas (:payment) nepavyko',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'Jus privalote :link.',
+ 'stripe_webhook_help_link_text' => 'nurodyti ši URL Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'Įvyko klaida pridedant mokėjimo būdą. Pabandykite dar kartą vėliau.',
+ 'notification_invoice_payment_failed_subject' => 'Mokėjimas nepavyko sąskaitai faktūrai :invoice',
+ 'notification_invoice_payment_failed' => 'Kliento :client atliktas mokėjimas pagal į sąskaitą faktūrą :invoice napavyko. Mokėjimas pažymėtas kaip nepavykęs ir suma :amount įkeltas į kliento balansą.',
+ 'link_with_plaid' => 'Priskirti sąskaitą su Plaid',
+ 'link_manually' => 'Nuoroda rankiniu būdu',
+ 'secured_by_plaid' => 'Apsaugota su Plaid',
+ 'plaid_linked_status' => 'Jūsų banko sąskaitą :bank',
+ 'add_payment_method' => 'Naujas mokėjimo būdas',
+ 'account_holder_type' => 'Sąskaitos savininko tipas',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'Turite sutikti su ACH sandoriais.',
+ 'off' => 'Išj.',
+ 'opt_in' => 'Įtraukti',
+ 'opt_out' => 'Pašalinti',
+ 'always' => 'Visada',
+ 'opted_out' => 'Pašalinta',
+ 'opted_in' => 'Įtraukta',
+ 'manage_auto_bill' => 'Valdyti periodinius mokėjimus',
+ 'enabled' => 'Įjungti',
+ 'paypal' => 'Paypal',
+ 'braintree_enable_paypal' => 'Įjungti PayPal mokėjimą su BrainTree',
+ 'braintree_paypal_disabled_help' => 'PayPal jungtis apdoroja PayPal mokėjimus',
+ 'braintree_paypal_help' => 'Jūs taip pat privalote :link.',
+ 'braintree_paypal_help_link_text' => 'susieti PayPal su Braintree sąskaita',
+ 'token_billing_braintree_paypal' => 'Išsaugoti mokėjimo duomenis',
+ 'add_paypal_account' => 'Nauja Paypal sąskaita',
+
+
+ 'no_payment_method_specified' => 'Nėra nurodyta mokėjimo būdo',
+ 'chart_type' => 'Diagramos tipas',
+ 'format' => 'Formatas',
+ 'import_ofx' => 'Importuoti OFX',
+ 'ofx_file' => 'OFX byla',
+ 'ofx_parse_failed' => 'Nepavyko nuskaityti OFX bylos',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Užsiregistruoti su WePay',
+ 'use_another_provider' => 'Pasirinkti kitą tiekėją',
+ 'company_name' => 'Įmonės pavadinimas',
+ 'wepay_company_name_help' => 'Tai pasirodys kliento kreditinės kortelės ataskaitose.',
+ 'wepay_description_help' => 'Šios sąskaitos tikslas.',
+ 'wepay_tos_agree' => 'Sutinku :link.',
+ 'wepay_tos_link_text' => 'WePay paslaugų teikimo sąlygos',
+ 'resend_confirmation_email' => 'Persiųsti patvirtinimo laišką',
+ 'manage_account' => 'Valdyti paskyrą',
+ 'action_required' => 'Reikalingas veiksmas',
+ 'finish_setup' => 'Baigti nustatymus',
+ 'created_wepay_confirmation_required' => 'Prašome patikrinti savo el. paštą ir patvirtinkite el. pašto adresą WePay.',
+ 'switch_to_wepay' => 'Persijungti į WePay',
+ 'switch' => 'Perjungti',
+ 'restore_account_gateway' => 'Atkurti mokėjimo sąsają',
+ 'restored_account_gateway' => 'Sėkmingai atkurta sąsaja',
+ 'united_states' => 'JAV',
+ 'canada' => 'Kanada',
+ 'accept_debit_cards' => 'Leisti debetines korteles',
+ 'debit_cards' => 'Debetinė kortelė',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Originali pradžios data',
+ 'new_start_date' => 'Nauja pradžios data',
+ 'security' => 'Sauga',
+ 'see_whats_new' => 'Kas naujo versijoje v:version',
+ 'wait_for_upload' => 'Prašome palaukti kol įksikels dokumentas',
+ 'upgrade_for_permissions' => 'Pasirinkite Įmonės planą norėdami įjungti leidimus.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Išrašo failas',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Prekės failas',
+ 'import_products' => 'Importuoti prekes',
+ 'products_will_create' => 'products will be created',
+ 'product_key' => 'Prekė',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON failas',
+
+ 'view_dashboard' => 'Rodyti darbastalį',
+ 'client_session_expired' => 'Sesija pasibaigė',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'banko sąskaita',
+ 'auto_bill_payment_method_credit_card' => 'kreditinė kortelė',
+ 'auto_bill_payment_method_paypal' => 'PayPal sąskaita',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Apmokėjimo sąlygos',
+
+ 'on_send_date' => 'Pagal išsiuntimo datą',
+ 'on_due_date' => 'Pagal atlikimo datą',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Banko sąskaita',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privatumo politika',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Laukia patvirtinimo',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'Daugiau parinkčių',
+ 'credit_card' => 'Kreditinė kortelė',
+ 'bank_transfer' => 'Pavedimu',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Sukurta :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'Ši mokėjimo sąsaja jau yra',
+ 'manual_entry' => 'Įrašyti rankiniu būdu',
+ 'start_of_week' => 'First Day of the Week',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Weekly',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Two weeks',
+ 'freq_four_weeks' => 'Four weeks',
+ 'freq_monthly' => 'Monthly',
+ 'freq_three_months' => 'Three months',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Six months',
+ 'freq_annually' => 'Annually',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Pavedimu',
+ 'payment_type_Cash' => 'Cash',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Credit Card Other',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Gamyba',
+ 'industry_Marketing' => 'Marketingas',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Nekilnojamas turtas',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' => 'Photography',
+
+ // Countries
+ 'country_Afghanistan' => 'Afganistanas',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarktika',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andora',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaidžanas',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australija',
+ 'country_Austria' => 'Austrija',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armėnija',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgija',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnija ir Hercegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazilija',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Baltarusija',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Kosta Rika',
+ 'country_Croatia' => 'Kroatija',
+ 'country_Cuba' => 'Kuba',
+ 'country_Cyprus' => 'Kipras',
+ 'country_Czech Republic' => 'Čekoslovakija',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Danija',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estija',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Suomija',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'Prancūzija',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Gruzija',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Graikija',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Vengrija',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'Indija',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Irakas',
+ 'country_Ireland' => 'Airija',
+ 'country_Israel' => 'Izrajelis',
+ 'country_Italy' => 'Italija',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japonija',
+ 'country_Kazakhstan' => 'Kazachstanas',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kirgizija',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvija',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lietuva',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Lenkija',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Rusija',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Švedija',
+ 'country_Switzerland' => 'Šveicarija',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkija',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lietuviškai',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Lenkiškai',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Gamyba',
+ 'industry_Marketing' => 'Marketingas',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Nekilnojamas turtas',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' =>'Photography',
+
+ 'view_client_portal' => 'Rodyti kliento tinklapį',
+ 'view_portal' => 'Rodyti tinklapį',
+ 'vendor_contacts' => 'Tiekėjo kontaktai',
+ 'all' => 'Visi',
+ 'selected' => 'Pasirinkita',
+ 'category' => 'Kategorija',
+ 'categories' => 'Kategorijos',
+ 'new_expense_category' => 'New Expense Category',
+ 'edit_category' => 'Keisti kategoriją',
+ 'archive_expense_category' => 'Archyvo kategorija',
+ 'expense_categories' => 'Expense Categories',
+ 'list_expense_categories' => 'List Expense Categories',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Naudoti mokesčius',
+ 'min_to_max_users' => ':min iki :max klientų',
+ 'max_users_reached' => 'Pasiektas maksimalus galimų vartotojų skaičius.',
+ 'buy_now_buttons' => 'Pirkti dabar mygtukas',
+ 'landing_page' => 'Nukreipimo puslapis',
+ 'payment_type' => 'Mokėjimo tipas',
+ 'form' => 'Forma',
+ 'link' => 'Nuoroda',
+ 'fields' => 'Laukai',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Enable support for buy now buttons',
+ 'changes_take_effect_immediately' => 'Note: changes take effect immediately',
+ 'wepay_account_description' => 'Mokėjimo sąsajos Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Kažkas negerai',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Prašome pasirinkti kontaktą',
+ 'no_client_selected' => 'Prašome pasirinkti klientą',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type faile',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Add 1 :product',
+ 'not_authorized' => 'You are not authorized',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Day',
+ 'week' => 'Week',
+ 'month' => 'Month',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Reports',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Date Range',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Annual revenue',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Vendor',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Invoice',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/lt/validation.php b/resources/lang/lt/validation.php
new file mode 100644
index 000000000000..7a76d1c22a8b
--- /dev/null
+++ b/resources/lang/lt/validation.php
@@ -0,0 +1,108 @@
+ "Laukas :attribute turi būti priimtas.",
+ "active_url" => "Laukas :attribute nėra galiojantis internetinis adresas.",
+ "after" => "Laukelyje :attribute turi būti data po :date.",
+ "alpha" => "Laukas :attribute gali turėti tik raides.",
+ "alpha_dash" => "Laukas :attribute gali turėti tik raides, skaičius ir brūkšnelius.",
+ "alpha_num" => "Laukas :attribute gali turėti tik raides ir skaičius.",
+ "array" => "Laukas :attribute turi būti masyvas.",
+ "before" => "Laukas :attribute turi būti data prieš :date.",
+ "between" => [
+ "numeric" => "Lauko :attribute reikšmė turi būti tarp :min ir :max.",
+ "file" => "Failo dydis lauke :attribute turi būti tarp :min ir :max kilobaitų.",
+ "string" => "Simbolių skaičius lauke :attribute turi būti tarp :min ir :max.",
+ "array" => "Elementų skaičius lauke :attribute turi turėti nuo :min iki :max.",
+ ],
+ "boolean" => "Lauko reikšmė :attribute turi būti 'taip' arba 'ne'.",
+ "confirmed" => "Lauko :attribute patvirtinimas nesutampa.",
+ "date" => "Lauko :attribute reikšmė nėra galiojanti data.",
+ "date_format" => "Lauko :attribute reikšmė neatitinka formato :format.",
+ "different" => "Laukų :attribute ir :other reikšmės turi skirtis.",
+ "digits" => "Laukas :attribute turi būti sudarytas iš :digits skaitmenų.",
+ "digits_between" => "Laukas :attribute tuti turėti nuo :min iki :max skaitmenų.",
+ "email" => "Lauko :attribute reikšmė turi būti galiojantis el. pašto adresas.",
+ "filled" => "Laukas :attribute turi būti užpildytas.",
+ "exists" => "Pasirinkta negaliojanti :attribute reikšmė.",
+ "image" => "Lauko :attribute reikšmė turi būti paveikslėlis.",
+ "in" => "Pasirinkta negaliojanti :attribute reikšmė.",
+ "integer" => "Lauko :attribute reikšmė turi būti veikasis skaičius.",
+ "ip" => "Lauko :attribute reikšmė turi būti galiojantis IP adresas.",
+ "max" => [
+ "numeric" => "Lauko :attribute reikšmė negali būti didesnė nei :max.",
+ "file" => "Failo dydis lauke :attribute reikšmė negali būti didesnė nei :max kilobaitų.",
+ "string" => "Simbolių kiekis lauke :attribute reikšmė negali būti didesnė nei :max simbolių.",
+ "array" => "Elementų kiekis lauke :attribute negali turėti daugiau nei :max elementų.",
+ ],
+ "mimes" => "Lauko reikšmė :attribute turi būti failas vieno iš sekančių tipų: :values.",
+ "min" => [
+ "numeric" => "Lauko :attribute reikšmė turi būti ne mažesnė nei :min.",
+ "file" => "Failo dydis lauke :attribute turi būti ne mažesnis nei :min kilobaitų.",
+ "string" => "Simbolių kiekis lauke :attribute turi būti ne mažiau nei :min.",
+ "array" => "Elementų kiekis lauke :attribute turi būti ne mažiau nei :min.",
+ ],
+ "not_in" => "Pasirinkta negaliojanti reikšmė :attribute.",
+ "numeric" => "Lauko :attribute reikšmė turi būti skaičius.",
+ "regex" => "Negaliojantis lauko :attribute formatas.",
+ "required" => "Privaloma užpildyti lauką :attribute.",
+ "required_if" => "Privaloma užpildyti lauką :attribute kai :other yra :value.",
+ "required_with" => "Privaloma užpildyti lauką :attribute kai pateikta :values.",
+ "required_with_all" => "Privaloma užpildyti lauką :attribute kai pateikta :values.",
+ "required_without" => "Privaloma užpildyti lauką :attribute kai nepateikta :values.",
+ "required_without_all" => "Privaloma užpildyti lauką :attribute kai nepateikta nei viena iš reikšmių :values.",
+ "same" => "Laukai :attribute ir :other turi sutapti.",
+ "size" => [
+ "numeric" => "Lauko :attribute reikšmė turi būti :size.",
+ "file" => "Failo dydis lauke :attribute turi būti :size kilobaitai.",
+ "string" => "Simbolių skaičius lauke :attribute turi būti :size.",
+ "array" => "Elementų kiekis lauke :attribute turi būti :size.",
+ ],
+ "string" => "The :attribute must be a string.",
+ "timezone" => "Lauko :attribute reikšmė turi būti galiojanti laiko zona.",
+ "unique" => "Tokia :attribute reikšmė jau pasirinkta.",
+ "url" => "Negaliojantis lauko :attribute formatas.",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Pasirinktiniai patvirtinimo kalbos eilutės
+ |--------------------------------------------------------------------------
+ |
+ | Čia galite nurodyti pasirinktinius patvirtinimo pranešimus, naudodami
+ | konvenciją "attribute.rule" eilučių pavadinimams. Tai leidžia greitai
+ | nurodyti konkrečią pasirinktinę kalbos eilutę tam tikrai atributo taisyklei.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Pasirinktiniai patvirtinimo atributai
+ |--------------------------------------------------------------------------
+ |
+ | Sekančios kalbos eilutės naudojamos pakeisti vietos žymes
+ | kuo nors labiau priimtinu skaitytojui (pvz. "El.Pašto Adresas" vietoj
+ | "email". TTai tiesiog padeda mums padaryti žinutes truputi aiškesnėmis.
+ |
+ */
+
+ 'attributes' => [],
+
+];
diff --git a/resources/lang/mk_MK/auth.php b/resources/lang/mk_MK/auth.php
new file mode 100644
index 000000000000..bb0a19d6204c
--- /dev/null
+++ b/resources/lang/mk_MK/auth.php
@@ -0,0 +1,17 @@
+ 'These credentials do not match our records.',
+ 'throttle' => 'Too many login attempts. Please try again in :seconds seconds.',
+];
diff --git a/resources/lang/mk_MK/pagination.php b/resources/lang/mk_MK/pagination.php
new file mode 100644
index 000000000000..f7ad14ac5f6a
--- /dev/null
+++ b/resources/lang/mk_MK/pagination.php
@@ -0,0 +1,17 @@
+ '« Назад',
+ 'next' => 'Напред »',
+];
diff --git a/resources/lang/mk_MK/passwords.php b/resources/lang/mk_MK/passwords.php
new file mode 100644
index 000000000000..f71178f18ab1
--- /dev/null
+++ b/resources/lang/mk_MK/passwords.php
@@ -0,0 +1,20 @@
+ 'Лозинката треба да биде најмалку шест карактери и да совпаѓа со потврдната лозинка.',
+ 'reset' => 'Password has been reset!',
+ 'sent' => 'Испратен емаил со инструкции за ресетирање на лозинка!',
+ 'token' => 'Невалиден токен за ресетирање на лозинката.',
+ 'user' => 'Не може да се пронајде корисник со таква емаил адреса.',
+];
diff --git a/resources/lang/mk_MK/texts.php b/resources/lang/mk_MK/texts.php
new file mode 100644
index 000000000000..85b4df132e9c
--- /dev/null
+++ b/resources/lang/mk_MK/texts.php
@@ -0,0 +1,2872 @@
+ 'Организација',
+ 'name' => 'Име',
+ 'website' => 'Веб Страна',
+ 'work_phone' => 'Телефон',
+ 'address' => 'Адреса',
+ 'address1' => 'Улица',
+ 'address2' => 'Број',
+ 'city' => 'Град',
+ 'state' => 'Општина',
+ 'postal_code' => 'Поштенски број',
+ 'country_id' => 'Држава',
+ 'contacts' => 'Контакти',
+ 'first_name' => 'Име',
+ 'last_name' => 'Презиме',
+ 'phone' => 'Телефон',
+ 'email' => 'Е-пошта',
+ 'additional_info' => 'Дополнителни информации',
+ 'payment_terms' => 'Услови на плаќање',
+ 'currency_id' => 'Валута',
+ 'size_id' => 'Големина на компанија',
+ 'industry_id' => 'Индустрија',
+ 'private_notes' => 'Забелешки',
+ 'invoice' => 'Фактура',
+ 'client' => 'Клиент',
+ 'invoice_date' => 'Дата на фактура',
+ 'due_date' => 'Датум на достасување',
+ 'invoice_number' => 'Број на фактура',
+ 'invoice_number_short' => 'Фактура #',
+ 'po_number' => 'Поштенски број',
+ 'po_number_short' => 'Поштенски број #',
+ 'frequency_id' => 'Колку често',
+ 'discount' => 'Попуст',
+ 'taxes' => 'Даноци',
+ 'tax' => 'Данок',
+ 'item' => 'Ставка',
+ 'description' => 'Опис',
+ 'unit_cost' => 'Цена на единица',
+ 'quantity' => 'Количина',
+ 'line_total' => 'Вкупно',
+ 'subtotal' => 'Вкупно во секција',
+ 'paid_to_date' => 'Платено на',
+ 'balance_due' => 'Биланс',
+ 'invoice_design_id' => 'Дизајн',
+ 'terms' => 'Услови',
+ 'your_invoice' => 'Вашата фактура',
+ 'remove_contact' => 'Избриши контакт',
+ 'add_contact' => 'Додади контакт',
+ 'create_new_client' => 'Креирај нов клиент',
+ 'edit_client_details' => 'Измени податоци на клиент',
+ 'enable' => 'Вклучи',
+ 'learn_more' => 'Повеќе',
+ 'manage_rates' => 'Управување со стапки ',
+ 'note_to_client' => 'Забелешка за клиентот',
+ 'invoice_terms' => 'Услови за фактури',
+ 'save_as_default_terms' => 'Зачувај како стандардни услови',
+ 'download_pdf' => 'Превземи во PDF',
+ 'pay_now' => 'Плати сега',
+ 'save_invoice' => 'Зачувај фактура',
+ 'clone_invoice' => 'Клонирај на фактура',
+ 'archive_invoice' => 'Архивирај',
+ 'delete_invoice' => 'Избриши',
+ 'email_invoice' => 'Прати фактура по е-пошта',
+ 'enter_payment' => 'Внеси исплата',
+ 'tax_rates' => 'Стапка на данок',
+ 'rate' => 'Стапка',
+ 'settings' => 'Подесувања',
+ 'enable_invoice_tax' => 'Овозможи одредување данок на фактура ',
+ 'enable_line_item_tax' => 'Овозможи одредување даночни ставки ',
+ 'dashboard' => 'Контролна табла',
+ 'clients' => 'Клиенти',
+ 'invoices' => 'Фактури',
+ 'payments' => 'Плаќања',
+ 'credits' => 'Кредити',
+ 'history' => 'Историја',
+ 'search' => 'Пребарување',
+ 'sign_up' => 'Најавување',
+ 'guest' => 'Гостин',
+ 'company_details' => 'Детали за компанијата',
+ 'online_payments' => 'Онлајн плаќања',
+ 'notifications' => 'Известувања',
+ 'import_export' => 'Увоз | Извоз',
+ 'done' => 'Завршено',
+ 'save' => 'Зачувај',
+ 'create' => 'Креирај',
+ 'upload' => 'Прикачи',
+ 'import' => 'Внеси',
+ 'download' => 'Преземи',
+ 'cancel' => 'Откажи',
+ 'close' => 'Затвори',
+ 'provide_email' => 'Ве молам внесете валидна адреса на е-пошта',
+ 'powered_by' => 'Поддржано од',
+ 'no_items' => 'Нема ставки',
+ 'recurring_invoices' => 'Фактури што се повторуваат',
+ 'recurring_help' => ' Автоматски пратете им ги на клиентите истите фактури неделно, двомесечно, месечно, квартално или годишно.
+ Користи :MONTH, :QUARTER или :YEAR за динамични дати. Може да се водите и по основна математика, на пример: :MONTH-1.
+ Примери за динамични варијабли на фактура:
+
+- "Членство во теретана за месец :MONTH" >> "Членство во теретана за месец Јули"
+- ":YEAR+1 годишна претплата" >> "2015 Годишна Претплата"
+- "Задржано плаќање за :QUARTER+1" >> "Задржано плаќање за К2"
+
',
+ 'recurring_quotes' => 'Рекурентни понуди',
+ 'in_total_revenue' => 'Вкупен приход',
+ 'billed_client' => 'Фактуриран Клиент',
+ 'billed_clients' => 'Фактурирани Клиенти',
+ 'active_client' => 'Активен Клиент',
+ 'active_clients' => 'Активни Клиенти',
+ 'invoices_past_due' => 'Фактури со изминат рок',
+ 'upcoming_invoices' => 'Претстојни Фактури',
+ 'average_invoice' => 'Просечна Фактура',
+ 'archive' => 'Архивирај',
+ 'delete' => 'Избриши',
+ 'archive_client' => 'Архивирај Клиент',
+ 'delete_client' => 'Избриши Клиент',
+ 'archive_payment' => 'Архивирај Плаќање',
+ 'delete_payment' => 'Избриши Плаќање',
+ 'archive_credit' => 'Архивирај Кредит',
+ 'delete_credit' => 'Избриши Кредит',
+ 'show_archived_deleted' => 'Прикажи архивирано/избришано',
+ 'filter' => 'Филтер',
+ 'new_client' => 'Нов Клиент',
+ 'new_invoice' => 'Нова Фактура',
+ 'new_payment' => 'Внеси Плаќање',
+ 'new_credit' => 'Внеси Кредит',
+ 'contact' => 'Контакт',
+ 'date_created' => 'Дата на Креирање',
+ 'last_login' => 'Последна Најава',
+ 'balance' => 'Баланс',
+ 'action' => 'Акција',
+ 'status' => 'Статус',
+ 'invoice_total' => 'Вкупно фактури',
+ 'frequency' => 'Фреквентност',
+ 'start_date' => 'Почетен датум',
+ 'end_date' => 'Краен датум',
+ 'transaction_reference' => 'Трансакциска референца',
+ 'method' => 'Метод',
+ 'payment_amount' => 'Износ на плаќање',
+ 'payment_date' => 'Датум на плаќање',
+ 'credit_amount' => 'Износ на кредит',
+ 'credit_balance' => 'Баланс на кредит',
+ 'credit_date' => 'Датум на кредит',
+ 'empty_table' => 'Нема податоци во табелата',
+ 'select' => 'Селектирај',
+ 'edit_client' => 'Измени клиент',
+ 'edit_invoice' => 'Измени фактура',
+ 'create_invoice' => 'Креирај фактура',
+ 'enter_credit' => 'Внеси кредит',
+ 'last_logged_in' => 'Последна најава',
+ 'details' => 'Детали',
+ 'standing' => 'Постојано',
+ 'credit' => 'Кредит',
+ 'activity' => 'Активност',
+ 'date' => 'Датум',
+ 'message' => 'Порака',
+ 'adjustment' => 'Прилагодување',
+ 'are_you_sure' => 'Дали сте сигурни?',
+ 'payment_type_id' => 'Тип на плаќање',
+ 'amount' => 'Количина',
+ 'work_email' => 'Е-пошта',
+ 'language_id' => 'Јазик',
+ 'timezone_id' => 'Временска зона',
+ 'date_format_id' => 'Формат на датум',
+ 'datetime_format_id' => 'Формат на датум/време',
+ 'users' => 'Корисници',
+ 'localization' => 'Локализација',
+ 'remove_logo' => 'Отстрани лого',
+ 'logo_help' => 'Поддржува: JPG, GIF и PNG',
+ 'payment_gateway' => 'Портал на плаќање',
+ 'gateway_id' => 'Платен портал',
+ 'email_notifications' => 'Известувања по мејл',
+ 'email_sent' => 'Прати ми мејл кога фактурата е пратена ',
+ 'email_viewed' => 'Прати ми мејл кога фактурата е видена ',
+ 'email_paid' => 'Прати ми мејл кога фактурата е платена ',
+ 'site_updates' => 'Ажурирања на страната',
+ 'custom_messages' => 'Прилагодени пораки',
+ 'default_email_footer' => 'Постави стандарден потпис на е-пошта ',
+ 'select_file' => 'Ве молиме изберете датотека',
+ 'first_row_headers' => 'Користи го првиот ред како заглавија',
+ 'column' => 'Колона',
+ 'sample' => 'Примерок',
+ 'import_to' => 'Внеси во',
+ 'client_will_create' => 'клиентот ќе биде креиран ',
+ 'clients_will_create' => 'клиентите ќе бидат креирани',
+ 'email_settings' => 'Поставки за е-пошта',
+ 'client_view_styling' => 'Стилизирање на прегледот на клиент',
+ 'pdf_email_attachment' => 'Прикачи PDF',
+ 'custom_css' => 'Прилагоден CSS',
+ 'import_clients' => 'Внеси податоци за клиентот',
+ 'csv_file' => 'CSV датотека',
+ 'export_clients' => 'Експортирај податоци за клиент',
+ 'created_client' => 'Успешно креирање на клиент',
+ 'created_clients' => 'Успешно креирани :count клиент(и)',
+ 'updated_settings' => 'Успешно ажурирани подесувања',
+ 'removed_logo' => 'Успешно отстранување на лого',
+ 'sent_message' => 'Успешно пратена порака',
+ 'invoice_error' => 'Ве молиме одберете клиент и поправете можни грешки',
+ 'limit_clients' => 'Извинете, ова ќе го надмине лимитот од :count клиенти',
+ 'payment_error' => 'Има грешка при процесирањето на плаќањето. Ве молиме обидете се повторно подоцна.',
+ 'registration_required' => 'Ве молиме најавете се за да пратите фактура по е-пошта',
+ 'confirmation_required' => 'Ве молиме потврдете ја Вашата емаил адреса, :link за повторно испраќање на мејл за потврда.',
+ 'updated_client' => 'Успешно ажурирање на клиент',
+ 'created_client' => 'Успешно креирање на клиент',
+ 'archived_client' => 'Успешно архивирање на клиент',
+ 'archived_clients' => 'Успешно архивирање на :count клиенти',
+ 'deleted_client' => 'Успешно бришење на клиент',
+ 'deleted_clients' => 'Успешно бришење на :count клиенти',
+ 'updated_invoice' => 'Успешно ажурирана фактура',
+ 'created_invoice' => 'Успешно креирана фактура',
+ 'cloned_invoice' => 'Успешно клонирана фактура',
+ 'emailed_invoice' => 'Успешно пратена фактура по ел. пошта',
+ 'and_created_client' => 'и креирање клиент',
+ 'archived_invoice' => 'Успешно архивирана фактура',
+ 'archived_invoices' => 'Успешно архивирани :count фактури',
+ 'deleted_invoice' => 'Успешно избришана фактура',
+ 'deleted_invoices' => 'Успешно избришани :count фактури',
+ 'created_payment' => 'Успешно креирано плаќање',
+ 'created_payments' => 'Успешно креирани :count плаќања(ње)',
+ 'archived_payment' => 'Успешно архивирано плаќање',
+ 'archived_payments' => 'Успешно архивирани :count плаќања',
+ 'deleted_payment' => 'Успешно бришење на плаќање',
+ 'deleted_payments' => 'Успешно бришење на :count плаќања',
+ 'applied_payment' => 'Успешно поднесено плаќање',
+ 'created_credit' => 'Успешно креирање на кредит',
+ 'archived_credit' => 'Успешно архивирање на кредит',
+ 'archived_credits' => 'Успешно архивирање на :count кредити',
+ 'deleted_credit' => 'Успешно бришење на кредит',
+ 'deleted_credits' => 'Успешно бришење на :count кредити',
+ 'imported_file' => 'Успешно внесување на датотека',
+ 'updated_vendor' => 'Успешно ажурирање на продавач',
+ 'created_vendor' => 'Успешно креирање на продавач',
+ 'archived_vendor' => 'Успешно архивирање на продавач',
+ 'archived_vendors' => 'Успешно архивирање на :count продавачи',
+ 'deleted_vendor' => 'Успешно бришење на продавач',
+ 'deleted_vendors' => 'Успешно бришење на :count продавачи',
+ 'confirmation_subject' => 'Потврдување на Invoice Ninja сметка',
+ 'confirmation_header' => 'Потврдување на сметка',
+ 'confirmation_message' => 'Ве молиме пристапете до линкот подолу за да ја потврдите вашата сметка.',
+ 'invoice_subject' => 'Нова фактура :number од :account',
+ 'invoice_message' => 'За преглед на вашата фактура за :amount, кликнете на линкот подоле. ',
+ 'payment_subject' => 'Плаќањето е примено',
+ 'payment_message' => 'Ви благодариме за вашето плаќање од :amount',
+ 'email_salutation' => 'Почитуван :name,',
+ 'email_signature' => 'Со почит,',
+ 'email_from' => 'Тимот на Invoice Ninja',
+ 'invoice_link_message' => 'За преглед на фактурата кликнете на линкот подоле:',
+ 'notification_invoice_paid_subject' => 'Фактурата :invoice е платена од :client',
+ 'notification_invoice_sent_subject' => 'Фактурата :invoice е пратена на :client',
+ 'notification_invoice_viewed_subject' => 'Фактурата :invoice е прегледана од :client',
+ 'notification_invoice_paid' => 'Плаќање од :amount е направено од клиентот :client кон фактурата :invoice.',
+ 'notification_invoice_sent' => 'На клиентот :client е испратена фактура :invoice од :amount по е-пошта.',
+ 'notification_invoice_viewed' => 'Клиентот :client ја прегледа фактурата :invoice за :amount.',
+ 'reset_password' => 'Можете да ја ресетирате лозинката за вашата сметка со кликнување на следното копче:',
+ 'secure_payment' => 'Безбедно плаќање',
+ 'card_number' => 'Број на картичка',
+ 'expiration_month' => 'Месец на истекување',
+ 'expiration_year' => 'Година на истекување',
+ 'cvv' => 'CVV',
+ 'logout' => 'Одјава',
+ 'sign_up_to_save' => 'Пријавете се за да ја зачувате вашата работа',
+ 'agree_to_terms' => 'Се согласувам со :terms',
+ 'terms_of_service' => 'Услови на користење',
+ 'email_taken' => 'Емаил адресата е веќе регистрирана',
+ 'working' => 'Работи',
+ 'success' => 'Успех',
+ 'success_message' => 'Успешно се регистриравте! Ве молиме кликнете на линкот во мејлот за потврда на сметката за да ја потврдите вашата е-адреса.',
+ 'erase_data' => 'Вашата сметка не е регистрирана, ова трајно ќе ги избрише вашите податоци.',
+ 'password' => 'Лозинка',
+ 'pro_plan_product' => 'Про План',
+ 'pro_plan_success' => 'Ви благодариме што го избравте Про планот на Invoice Ninja!
+ Следни чекори Фактура што може да се плати е испратена на електорнската
+ адреса поврзана со вашата сметка. За да ги отклучите сите одлични
+ Про функции, ве молиме следете ги инструкциите на фактурата за да платите
+ за една година Pro-level фактурирање.
+ Не можете да ја пронајдете фактурата? Ви треба понатамошна асистенција? Ќе ви помогнеме со задоволство
+ --пратете ни е-пошта на contact@invoiceninja.com',
+ 'unsaved_changes' => 'Имате незачувани промени',
+ 'custom_fields' => 'Посебни полиња',
+ 'company_fields' => 'Полиња за компанијата',
+ 'client_fields' => 'Полиња за клиентот',
+ 'field_label' => 'Ознака на поле',
+ 'field_value' => 'Вредност на поле',
+ 'edit' => 'Измени',
+ 'set_name' => 'Постави име на компанијата',
+ 'view_as_recipient' => 'Прегледај како примач',
+ 'product_library' => 'Датабаза на продукти',
+ 'product' => 'Продукт',
+ 'products' => 'Продукти',
+ 'fill_products' => 'Автоматско пополнување на продукти',
+ 'fill_products_help' => 'Избирањето на продукт автоматски ќе ги исполни полињата за опис и цена',
+ 'update_products' => 'Автоматско ажурирање на продукти',
+ 'update_products_help' => 'Ажурирањето на факура автоматски ќе ја ажурира библиотеката на продукти ',
+ 'create_product' => 'Додај продукт',
+ 'edit_product' => 'Измени продукт',
+ 'archive_product' => 'Архивирај продукт',
+ 'updated_product' => 'Успешно ажурирање на продукт',
+ 'created_product' => 'Успешно креирање на продукт',
+ 'archived_product' => 'Успешно архивирање на продукт',
+ 'pro_plan_custom_fields' => ':link за да се овозможат прилагодливи полиња преку активирање на Про План',
+ 'advanced_settings' => 'Напредни подесувања',
+ 'pro_plan_advanced_settings' => ':link за да се овозможат напредните подесувања преку активирање на Про План',
+ 'invoice_design' => 'Дизајн на фактура',
+ 'specify_colors' => 'Одреди бои',
+ 'specify_colors_label' => 'Избери ги боите кои се користени на фактурата',
+ 'chart_builder' => 'Изградувач на графикон',
+ 'ninja_email_footer' => 'Креирано преку :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Премини на Про',
+ 'quote' => 'Понуда',
+ 'quotes' => 'Понуди',
+ 'quote_number' => 'Број на понуда',
+ 'quote_number_short' => 'Понуда #',
+ 'quote_date' => 'Датум на понуда',
+ 'quote_total' => 'Вкупно понуди',
+ 'your_quote' => 'Твојата понуда',
+ 'total' => 'Вкупно',
+ 'clone' => 'Клонирај',
+ 'new_quote' => 'Нова понуда',
+ 'create_quote' => 'Креирај понуда',
+ 'edit_quote' => 'Измени понуда',
+ 'archive_quote' => 'Архивирај понуда',
+ 'delete_quote' => 'Избриши понуда',
+ 'save_quote' => 'Зачувај понуда',
+ 'email_quote' => 'Прати понуда по ел. пошта',
+ 'clone_quote' => 'Клонирај понуда',
+ 'convert_to_invoice' => 'Конвертирај во фактура',
+ 'view_invoice' => 'Преглед на фактура',
+ 'view_client' => 'Преглед на клиент',
+ 'view_quote' => 'Преглед на понуда',
+ 'updated_quote' => 'Успешно ажурирана понуда',
+ 'created_quote' => 'Успешно креирана понуда',
+ 'cloned_quote' => 'Успешно клонирана понуда',
+ 'emailed_quote' => 'Успешно пратена понуда по ел. пошта',
+ 'archived_quote' => 'Успешно архивирана понуда',
+ 'archived_quotes' => 'Успешно архивирани :count понуди',
+ 'deleted_quote' => 'Успешно избришана понуда',
+ 'deleted_quotes' => 'Успешно избришани :count понуди',
+ 'converted_to_invoice' => 'Успешно конвертирана понуда во фактура',
+ 'quote_subject' => 'Нова понуда :number од :account',
+ 'quote_message' => 'За да ја видите вашата понуда за :amount, кликнете на линкот подоле. ',
+ 'quote_link_message' => 'За преглед на понудата на клиентот кликни на линкот подоле:',
+ 'notification_quote_sent_subject' => 'Понудата :invoice беше пратена на :client',
+ 'notification_quote_viewed_subject' => 'Понудата :invoice беше прегледана од :client',
+ 'notification_quote_sent' => 'На клиентот :client е пратена по е-пошта Понуда :invoice за :amount.',
+ 'notification_quote_viewed' => 'Клиентот :client ја прегледа понудата :invoice за :amount.',
+ 'session_expired' => 'Вашата сесија е истечена',
+ 'invoice_fields' => 'Полиња за фактура',
+ 'invoice_options' => 'Поставки за фактура',
+ 'hide_paid_to_date' => 'Сокриј Платено до датум',
+ 'hide_paid_to_date_help' => 'Прикажи "Платено до датум" на фактурите откако ќе биде примено плаќањето.',
+ 'charge_taxes' => 'Наплати даноци',
+ 'user_management' => 'Управување со корисник',
+ 'add_user' => 'Додај корисник',
+ 'send_invite' => 'Испрати покана',
+ 'sent_invite' => 'Успешно испраќање на покана',
+ 'updated_user' => 'Успешно ажурирање на корисник',
+ 'invitation_message' => 'Бевте поканети од страна на :invitor.',
+ 'register_to_add_user' => 'Ве молиме регистрирајте се за да додадете корисник',
+ 'user_state' => 'Состојба',
+ 'edit_user' => 'Измени корисник',
+ 'delete_user' => 'Избриши корисник',
+ 'active' => 'Активен',
+ 'pending' => 'Во тек',
+ 'deleted_user' => 'Успешно бришење на корисник',
+ 'confirm_email_invoice' => 'Дали сте сигурни дека сакате да ја пратите фактурата по мејл?',
+ 'confirm_email_quote' => 'Дали сте сигурни дека сакате да ја пратите понудата по мејл?',
+ 'confirm_recurring_email_invoice' => 'Дали сте сигурни дека сакате оваа фактура да биде пратена по мејл?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Дали сте сигурни дека сакате да започнете со повторување?',
+ 'cancel_account' => 'Избриши сметка',
+ 'cancel_account_message' => 'Предупредување: Ова трајно ќе ја избрише вашата сметка, нема враќање.',
+ 'go_back' => 'Врати се назад',
+ 'data_visualizations' => 'Визуализација на податоци',
+ 'sample_data' => 'Прикажан пример за податоци',
+ 'hide' => 'Сокриј',
+ 'new_version_available' => 'Нова верзија на :releases_link е достапна. Вие работите на v:user_version, најновата верзија е v:latest_version',
+ 'invoice_settings' => 'Поставки за фактура',
+ 'invoice_number_prefix' => 'Префикс на број на фактура',
+ 'invoice_number_counter' => 'Бројач на фактури',
+ 'quote_number_prefix' => 'Префикс на број на понуда',
+ 'quote_number_counter' => 'Бројач на понуди',
+ 'share_invoice_counter' => 'Сподели го бројачот на фактури',
+ 'invoice_issued_to' => 'Фактура издадена на',
+ 'invalid_counter' => 'За да се спречи можен конфликт ве молиме поставете префикс на бројот на фактурата или на понудата',
+ 'mark_sent' => 'Белегот е пратен',
+ 'gateway_help_1' => ':link за регистрирање на Authorize.net.',
+ 'gateway_help_2' => ':link за регистрирање на Authorize.net.',
+ 'gateway_help_17' => ':link за да го добиете вашиот PayPay API потпис.',
+ 'gateway_help_27' => ':link за регистрирање на 2Checkout.com. За да се осигурате дека плаќањата се следат поставете го :complete_link како URL за пренасочување под Account > Site Management во порталот на 2Checkout.com. ',
+ 'gateway_help_60' => ':link за креирање на WePay сметка.',
+ 'more_designs' => 'Повеќе дизајни',
+ 'more_designs_title' => 'Додатни дизајни на фактура',
+ 'more_designs_cloud_header' => 'Станете Pro за повеќе дизајни на фактура',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Купи',
+ 'bought_designs' => 'Успешно додавање на дополнителни дизајни на фактура',
+ 'sent' => 'Испратено',
+ 'vat_number' => 'VAT број',
+ 'timesheets' => 'Извештаи за време',
+ 'payment_title' => 'Внеси ја твојата адреса за фактурирање и информации за кредитна картичка',
+ 'payment_cvv' => '*Ова е 3-4 цифрениот број на задната страна од вашата картичка',
+ 'payment_footer1' => '*Адресата за фактурирање мора да се совпаѓа со адресата поврзана со кредитната картичка.',
+ 'payment_footer2' => '*Ве молиме кликнете "ПЛАТИ СЕГА" само еднаш - трансакцијата може да се процесира до 1 минута.',
+ 'id_number' => 'Идентификациски број',
+ 'white_label_link' => 'Брендирање',
+ 'white_label_header' => 'Брендирање',
+ 'bought_white_label' => 'Успешно овозможена лиценца за брендирање',
+ 'white_labeled' => 'Брендирано',
+ 'restore' => 'Поврати',
+ 'restore_invoice' => 'Поврати фактура',
+ 'restore_quote' => 'Поврати понуда',
+ 'restore_client' => 'Поврати клиент',
+ 'restore_credit' => 'Поврати кредит',
+ 'restore_payment' => 'Поврати плаќање',
+ 'restored_invoice' => 'Успешно повратување на фактура',
+ 'restored_quote' => 'Успешно повратување на понуда',
+ 'restored_client' => 'Успешно повратување на клиент',
+ 'restored_payment' => 'Успешно повратување на плаќање',
+ 'restored_credit' => 'Успешно повратување на кредит',
+ 'reason_for_canceling' => 'Помогнете ни да го подобриме нашиот сајт со тоа што ќе ни кажете зошто го напуштате.',
+ 'discount_percent' => 'Процент',
+ 'discount_amount' => 'Количина',
+ 'invoice_history' => 'Историја на фактура',
+ 'quote_history' => 'Историја на понуда',
+ 'current_version' => 'Сегашна верзија',
+ 'select_version' => 'Одбери верзија',
+ 'view_history' => 'Види историја',
+ 'edit_payment' => 'Измени плаќање',
+ 'updated_payment' => 'Успешно ажурирано плаќање',
+ 'deleted' => 'Избришано',
+ 'restore_user' => 'Поврати корисник',
+ 'restored_user' => 'Успешно повратување на корисник',
+ 'show_deleted_users' => 'Покажи избришани корисници',
+ 'email_templates' => 'Емаил шаблони',
+ 'invoice_email' => 'Мејл за фактура',
+ 'payment_email' => 'Мејл за плаќање',
+ 'quote_email' => 'Мејл за понуда',
+ 'reset_all' => 'Ресетирај се\'',
+ 'approve' => 'Одобри',
+ 'token_billing_type_id' => 'Фактурирање со токен',
+ 'token_billing_help' => 'Зачувај ги деталите за плаќањето со WePay, Stripe, Braintree или GoCardless.',
+ 'token_billing_1' => 'Оневозможено',
+ 'token_billing_2' => 'Полето за внесување е прикажано но не е избрано',
+ 'token_billing_3' => 'Полето за откажување е прикажано и избрано',
+ 'token_billing_4' => 'Секогаш',
+ 'token_billing_checkbox' => 'Зачувај детали за кредитна картичка',
+ 'view_in_gateway' => 'Прегледај во :gateway',
+ 'use_card_on_file' => 'Користи картичка на датотека',
+ 'edit_payment_details' => 'Измени детали на плаќање',
+ 'token_billing' => 'Зачувај детали на картичка',
+ 'token_billing_secure' => 'Податоците се сигурно зачувани од :link',
+ 'support' => 'Поддршка',
+ 'contact_information' => 'Информации за контакт',
+ '256_encryption' => '256-Bit Енкрипција',
+ 'amount_due' => 'Износот што е должен',
+ 'billing_address' => 'Адреса на фактурирање',
+ 'billing_method' => 'Метод на фактурирање',
+ 'order_overview' => 'Преглед на нарачка',
+ 'match_address' => '*Адресата мора да се совпаѓа со адресата поврзана со кредитната картичка',
+ 'click_once' => '*Ве молиме кликнете "ПЛАТИ СЕГА" само еднаш - трансакцијата може да се процесира до 1 минута.',
+ 'invoice_footer' => 'Футер на фактура',
+ 'save_as_default_footer' => 'Зачувај како стандарден футер',
+ 'token_management' => 'Менаџирање на токен',
+ 'tokens' => 'Токени',
+ 'add_token' => 'Додај токен',
+ 'show_deleted_tokens' => 'Прикажи избришани токени',
+ 'deleted_token' => 'Успешно бришење на токен',
+ 'created_token' => 'Успешно креирање на токен',
+ 'updated_token' => 'Успешно ажурирање на токен',
+ 'edit_token' => 'Измени токен',
+ 'delete_token' => 'Избриши токен',
+ 'token' => 'Токен',
+ 'add_gateway' => 'Додади Платен портал',
+ 'delete_gateway' => 'Избриши Платен портал',
+ 'edit_gateway' => 'Уреди Платен портал',
+ 'updated_gateway' => 'Успешно ажурирање на платен портал',
+ 'created_gateway' => 'Успешно креиран платен портал',
+ 'deleted_gateway' => 'Успешно избришан платен портал',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Кредитна картичка',
+ 'change_password' => 'Промени лозинка',
+ 'current_password' => 'Сегашна лозинка',
+ 'new_password' => 'Нова лозинка',
+ 'confirm_password' => 'Потврди лозинка',
+ 'password_error_incorrect' => 'Сегашната лозинка е неточна.',
+ 'password_error_invalid' => 'Новата лозинка е невалидна.',
+ 'updated_password' => 'Успешно ажурирање на лозинка',
+ 'api_tokens' => 'API токени',
+ 'users_and_tokens' => 'Корисници и токени',
+ 'account_login' => 'Најавување на сметка',
+ 'recover_password' => 'Поврати ја твојата лозинка',
+ 'forgot_password' => 'Ја заборави лозинката?',
+ 'email_address' => 'Емаил адреса',
+ 'lets_go' => 'Да одиме',
+ 'password_recovery' => 'Поврат на лозинка',
+ 'send_email' => 'Испрати емаил',
+ 'set_password' => 'Сетирај лозинка',
+ 'converted' => 'Конвертирано',
+ 'email_approved' => 'Испрати ми е-пошта кога понудата е одобрена ',
+ 'notification_quote_approved_subject' => 'Понудата :invoice беше одобрена од :client ',
+ 'notification_quote_approved' => 'Клиентот :client ја одобри понудата :invoice за :amount.',
+ 'resend_confirmation' => 'Испрати повторно мејл за потврда',
+ 'confirmation_resent' => 'Мејлот за потврда беше повторно испратен',
+ 'gateway_help_42' => ':link за регистрација на BitPay.
Забелешка: користете Legacy API клуч, не API токен.',
+ 'payment_type_credit_card' => 'Кредитна картичка',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'База на знаења',
+ 'partial' => 'Делумно/Депозит',
+ 'partial_remaining' => ':partial на :balance',
+ 'more_fields' => 'Повеќе полиња',
+ 'less_fields' => 'Помалку полиња',
+ 'client_name' => 'Име на клиент',
+ 'pdf_settings' => 'Поставки за PDF',
+ 'product_settings' => 'Поставки за продукт',
+ 'auto_wrap' => 'Автоматско завршување на линија',
+ 'duplicate_post' => 'Предупредување: претходната страна беше поднесена два пати. Второто поднесување е игнорирано.',
+ 'view_documentation' => 'Види документација',
+ 'app_title' => 'Бесплатно Open-Source онлајн фактурирање',
+ 'app_description' => 'Invoice Ninja е бесплатно, отворено решение за фактурирање и наплата на клиенти. Со Invoice Ninja, можете лесно да создадете и да пратите прекрасни фактури од било кој уред кој има пристап до веб. Вашите клиенти можат да ја испечатат фактурата, да ја преземат како pdf датотека и дури да платат онлајн во системот.',
+ 'rows' => 'Редови',
+ 'www' => 'www',
+ 'logo' => 'Лого',
+ 'subdomain' => 'Поддомен',
+ 'provide_name_or_email' => 'Ве молиме наведете име или е-пошта',
+ 'charts_and_reports' => 'Графикони и Извештаи',
+ 'chart' => 'Графикон',
+ 'report' => 'Извештај',
+ 'group_by' => 'Групирај по',
+ 'paid' => 'Платено',
+ 'enable_report' => 'Извештај',
+ 'enable_chart' => 'Графикон',
+ 'totals' => 'Вкупно',
+ 'run' => 'Почни',
+ 'export' => 'Експортирај',
+ 'documentation' => 'Документација',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Рекурентно',
+ 'last_invoice_sent' => 'Последна фактура испратена на :date',
+ 'processed_updates' => 'Успешно завршено ажурирање',
+ 'tasks' => 'Задачи',
+ 'new_task' => 'Нова задача',
+ 'start_time' => 'Време за почеток',
+ 'created_task' => 'Успешно креирана задача',
+ 'updated_task' => 'Успешно ажурирана задача',
+ 'edit_task' => 'Измени задача',
+ 'archive_task' => 'Архивирај задача',
+ 'restore_task' => 'Поврати задача',
+ 'delete_task' => 'Избриши задача',
+ 'stop_task' => 'Стопирај задача',
+ 'time' => 'Време',
+ 'start' => 'Почеток',
+ 'stop' => 'Сопри',
+ 'now' => 'Сега',
+ 'timer' => 'Тајмер',
+ 'manual' => 'Упатство',
+ 'date_and_time' => 'Датум и време',
+ 'second' => 'Секунда',
+ 'seconds' => 'Секунди',
+ 'minute' => 'Минута',
+ 'minutes' => 'Минути',
+ 'hour' => 'Час',
+ 'hours' => 'Часови',
+ 'task_details' => 'Детали на задача',
+ 'duration' => 'Времетраење',
+ 'end_time' => 'Измени време',
+ 'end' => 'Крај',
+ 'invoiced' => 'Фактурирано',
+ 'logged' => 'Најавено',
+ 'running' => 'Во тек',
+ 'task_error_multiple_clients' => 'Задачите не можат да припаѓаат на различни клиенти',
+ 'task_error_running' => 'Ве молиме прво сопрете ги задачите во тек',
+ 'task_error_invoiced' => 'Задачите се веќе фактурирани',
+ 'restored_task' => 'Успешно повратување на задача',
+ 'archived_task' => 'Успешно архивирање на задача',
+ 'archived_tasks' => 'Успешно архивирани :count задачи',
+ 'deleted_task' => 'Успешно бришење на задача',
+ 'deleted_tasks' => 'Успешно избришани :count задачи',
+ 'create_task' => 'Креирај задача',
+ 'stopped_task' => 'Успешно сопирање на задача',
+ 'invoice_task' => 'Задача на фактура',
+ 'invoice_labels' => 'Назнаки на фактура',
+ 'prefix' => 'Префикс',
+ 'counter' => 'Бројач',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link за регистрирање на Dwolla',
+ 'partial_value' => 'Мора да биде поголемо од нула а помало од вкупно',
+ 'more_actions' => 'Повеќе акции',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Надгради сега!',
+ 'pro_plan_feature1' => 'Креирај неограничен број на клиенти',
+ 'pro_plan_feature2' => 'Добиј пристап до 10 прекрасни дизајни за фактура',
+ 'pro_plan_feature3' => 'Прилагодени URL - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Отстрани "Креирано со Invoice Ninja"',
+ 'pro_plan_feature5' => 'Пристап на повеќе корисници и следење на активностите',
+ 'pro_plan_feature6' => 'Креирај понуди и Про-форма фактури',
+ 'pro_plan_feature7' => 'Прилагоди ги насловите и нумерирањето на полињата на фактурата',
+ 'pro_plan_feature8' => 'Опција за прикачување на PDF документи на е-пошта на клиентите',
+ 'resume' => 'Продолжи',
+ 'break_duration' => 'Прекин',
+ 'edit_details' => 'Измени детали',
+ 'work' => 'Работа',
+ 'timezone_unset' => 'Ве молиме :link за подесување на вашата временска зона',
+ 'click_here' => 'кликни тука',
+ 'email_receipt' => 'Прати потврда за плаќање на е-пошта до клиентот',
+ 'created_payment_emailed_client' => 'Успешно креирано плаќање и испратено по е-пошта на клиентот',
+ 'add_company' => 'Додај компанија',
+ 'untitled' => 'Без наслов',
+ 'new_company' => 'Нова компанија',
+ 'associated_accounts' => 'Успешно поврзани сметки',
+ 'unlinked_account' => 'Успешно прекината врска на сметки',
+ 'login' => 'Најава',
+ 'or' => 'или',
+ 'email_error' => 'Имаше проблем при испраќањето на е-пошта',
+ 'confirm_recurring_timing' => 'Забелешка: е-поштата е пратена на почетокот на часот.',
+ 'confirm_recurring_timing_not_sent' => 'Забелешка: фактурите се креирани на почетокот на часот.',
+ 'payment_terms_help' => 'Го поставува стандардниот датум на достасување на фактура ',
+ 'unlink_account' => 'Прекини врска со сметка',
+ 'unlink' => 'Прекини врска',
+ 'show_address' => 'Прикажи адреса',
+ 'show_address_help' => 'Побарај од клиентот да обезбеди платежна адреса',
+ 'update_address' => 'Ажурирај адреса',
+ 'update_address_help' => 'Ажурирај ја адресата на клиентот со обезбедените детали',
+ 'times' => 'Последователност',
+ 'set_now' => 'Намести на сега',
+ 'dark_mode' => 'Темен режим',
+ 'dark_mode_help' => 'Користи темна позадина за страничните ленти',
+ 'add_to_invoice' => 'Додади на фактура :invoice',
+ 'create_new_invoice' => 'Креирај нова фактура',
+ 'task_errors' => 'Ве молиме корегирајте времињата што се преклопуваат',
+ 'from' => 'Од',
+ 'to' => 'До',
+ 'font_size' => 'Големина на фонт',
+ 'primary_color' => 'Примарна боја',
+ 'secondary_color' => 'Секундарна боја',
+ 'customize_design' => 'Прилагоди дизајн',
+ 'content' => 'Содржина',
+ 'styles' => 'Стилови',
+ 'defaults' => 'Стандарди',
+ 'margins' => 'Маргини',
+ 'header' => 'Заглавје',
+ 'footer' => 'Футер',
+ 'custom' => 'Прилагодено',
+ 'invoice_to' => 'Фактурирај на',
+ 'invoice_no' => 'Фактура број',
+ 'quote_no' => 'Понуда број',
+ 'recent_payments' => 'Неодамнешни плаќања',
+ 'outstanding' => 'Исклучително',
+ 'manage_companies' => 'Менаџирај компании',
+ 'total_revenue' => 'Вкупен приход',
+ 'current_user' => 'Сегашен корисник',
+ 'new_recurring_invoice' => 'Нова рекурзивна фактура',
+ 'recurring_invoice' => 'Рекурентна фактура',
+ 'new_recurring_quote' => 'Нова рекурентна понуда',
+ 'recurring_quote' => 'Рекурентна понуда',
+ 'recurring_too_soon' => 'Многу е рано за да се креира следната рекурентна фактура, закажано е на :date',
+ 'created_by_invoice' => 'Креирано од :invoice',
+ 'primary_user' => 'Примарен корисник',
+ 'help' => 'Помош',
+ 'customize_help' => ' Користиме :pdfmake_link за да ги дефинираме декларативно дизајните на фактурата. dfmake :playground_link обезбедува гледање на библиотеката во акција на прекрасен начин.
+ Ако ви треба помош околу нешто објавете прашање на нашиот :forum_link со дизајнот кој го користите.
',
+ 'playground' => 'игралиште',
+ 'support_forum' => 'Форум за поддршка',
+ 'invoice_due_date' => 'Датум на достасување ',
+ 'quote_due_date' => 'Валидно до',
+ 'valid_until' => 'Валидно до',
+ 'reset_terms' => 'Ресетирај термини',
+ 'reset_footer' => 'Ресетирај футер',
+ 'invoice_sent' => ':count испратена фактура',
+ 'invoices_sent' => ':count испратени фактури',
+ 'status_draft' => 'Нацрт',
+ 'status_sent' => 'Испратено',
+ 'status_viewed' => 'Видено',
+ 'status_partial' => 'Делумно',
+ 'status_paid' => 'Платено',
+ 'status_unpaid' => 'Неплатено',
+ 'status_all' => 'Се\'',
+ 'show_line_item_tax' => 'Прикажи линирани даночни ставки во линија ',
+ 'iframe_url' => 'Веб страна',
+ 'iframe_url_help1' => 'Копирај го следниот код на страна од твојот веб сајт.',
+ 'iframe_url_help2' => 'Можете да ја тестирате функцијата преку кликање на \'Види како примател\' за фактура',
+ 'auto_bill' => 'Автоматска наплата',
+ 'military_time' => 'Време од 24 часа',
+ 'last_sent' => 'Последно испратено',
+ 'reminder_emails' => 'Е-пошта за потсетување',
+ 'templates_and_reminders' => 'Шаблони и потсетници',
+ 'subject' => 'Предмет',
+ 'body' => 'Конструкција',
+ 'first_reminder' => 'Прв потсетник',
+ 'second_reminder' => 'Втор потсетник',
+ 'third_reminder' => 'Трет потсетник',
+ 'num_days_reminder' => 'Денови по датумот на достасување',
+ 'reminder_subject' => 'Потсетник: Фактурата :invoice од :account',
+ 'reset' => 'Ресетирај',
+ 'invoice_not_found' => 'Бараната фактура не е достапна',
+ 'referral_program' => 'Програма за упатување',
+ 'referral_code' => 'Препратен URL',
+ 'last_sent_on' => 'Последно испратено: :date ',
+ 'page_expire' => 'Оваа страница ќе истече наскоро, :click_here за да продолжите да работите',
+ 'upcoming_quotes' => 'Претстојни понуди',
+ 'expired_quotes' => 'Истечени понуди ',
+ 'sign_up_using' => 'Регистрирај се преку',
+ 'invalid_credentials' => 'Овие креденцијали не се совпаѓаат со нашите записи',
+ 'show_all_options' => 'Покажи ги сите опции',
+ 'user_details' => 'Детали за корисникот',
+ 'oneclick_login' => 'Поврзана сметка',
+ 'disable' => 'Оневозможи',
+ 'invoice_quote_number' => 'Број на фактура и барање ',
+ 'invoice_charges' => 'Надоместоци за фактура',
+ 'notification_invoice_bounced' => 'Не можевме да ја доставиме фактурата :invoice на :contact',
+ 'notification_invoice_bounced_subject' => 'Не успеавме да ја доставиме фактурата :invoice',
+ 'notification_quote_bounced' => 'Не можевме да ја доставиме понудата :invoice на :contact',
+ 'notification_quote_bounced_subject' => 'Не успеавме да ја доставиме понудата :invoice',
+ 'custom_invoice_link' => 'Прилагоден линк на фактура',
+ 'total_invoiced' => 'Вкупно фактурирано',
+ 'open_balance' => 'Отворен баланс',
+ 'verify_email' => 'Ве молиме кликнете на линкот во мејлот за потврда на сметката за да ја потврдите вашата е-адреса.',
+ 'basic_settings' => 'Основни поставки',
+ 'pro' => 'Про',
+ 'gateways' => 'Платен портал',
+ 'next_send_on' => 'Следно прати на: :date',
+ 'no_longer_running' => 'Оваа фактура не е закажана за почнување',
+ 'general_settings' => 'Општи поставки',
+ 'customize' => 'Прилагоди',
+ 'oneclick_login_help' => 'Поврзи сметка за најавување без лозинка',
+ 'referral_code_help' => 'Заработи пари преку споделување на нашата апликација онлајн',
+ 'enable_with_stripe' => 'Овозможи | Бара Stripe',
+ 'tax_settings' => 'Поставки за данок',
+ 'create_tax_rate' => 'Додај стапка на данок',
+ 'updated_tax_rate' => 'Успешно ажурирана стапка на данок',
+ 'created_tax_rate' => 'Успешно креирана стапка на данок',
+ 'edit_tax_rate' => 'Измени стапка на данок',
+ 'archive_tax_rate' => 'Архивирај стапка на данок',
+ 'archived_tax_rate' => 'Успешно архивирана стапка на данок ',
+ 'default_tax_rate_id' => 'Стандардна даночна стапка',
+ 'tax_rate' => 'Даночна стапка',
+ 'recurring_hour' => 'Рекурентен час',
+ 'pattern' => 'Шема',
+ 'pattern_help_title' => 'Помош за шема',
+ 'pattern_help_1' => 'Креирај прилагодени броецви преку одредување на шема',
+ 'pattern_help_2' => 'Достапни варијабли:',
+ 'pattern_help_3' => 'На пример, :example би се конвертирало во :value',
+ 'see_options' => 'Види опции',
+ 'invoice_counter' => 'Бројач на фактури',
+ 'quote_counter' => 'Бројач на понуди ',
+ 'type' => 'Тип',
+ 'activity_1' => ':user го креираше клиентот :client',
+ 'activity_2' => ':user го архивираше клиентот :client',
+ 'activity_3' => ':user го избриша клиентот :client',
+ 'activity_4' => ':user ја креираше фактурата :invoice',
+ 'activity_5' => ':user ја ажурираше фактурата :invoice',
+ 'activity_6' => ':user ја испрати по е-пошта фактурата :invoice на :contact',
+ 'activity_7' => ':contact ја прегледа фактурата :invoice',
+ 'activity_8' => ':user ја архивира фактурата :invoice',
+ 'activity_9' => ':user ја избриша фактурата :invoice',
+ 'activity_10' => ':contact го внесе плаќањето :payment за :invoice',
+ 'activity_11' => ':user го ажурира плаќањето :payment',
+ 'activity_12' => ':user го архивира плаќањето :payment',
+ 'activity_13' => ':user го избриша плаќањето :payment',
+ 'activity_14' => ':user внесе :credit кредит',
+ 'activity_15' => ':user ажурира :credit кредит',
+ 'activity_16' => ':user архивира :credit кредит',
+ 'activity_17' => ':user избриша :credit кредит',
+ 'activity_18' => ':user ја креира понудата :quote',
+ 'activity_19' => ':user ја ажурира понудата :quote',
+ 'activity_20' => ':user ја прати понудата :quote по е-пошта на :contact',
+ 'activity_21' => ':contact ја виде понудата :quote',
+ 'activity_22' => ':user ја архивира понудата :quote',
+ 'activity_23' => ':user ја избриша понудата :quote',
+ 'activity_24' => ':user ја поврати понудата :quote',
+ 'activity_25' => ':user ја поврати фактурата :invoice',
+ 'activity_26' => ':user го поврати клиентот :client',
+ 'activity_27' => ':user го поврати плаќањето :payment',
+ 'activity_28' => ':user го поврати :credit кредитот',
+ 'activity_29' => ':contact ја одобри понудата :quote',
+ 'activity_30' => ':user го креира продавачот :vendor',
+ 'activity_31' => ':user го архивира продавачот :vendor',
+ 'activity_32' => ':user го избриша продавачот :vendor',
+ 'activity_33' => ':user го поврати продавачот :vendor',
+ 'activity_34' => ':user го креира трошокот :expense',
+ 'activity_35' => ':user го архивира трошокот :expense',
+ 'activity_36' => ':user го избриша трошокот :expense',
+ 'activity_37' => ':user го поврати трошокот :expense',
+ 'activity_42' => ':user ја креира задачата :task',
+ 'activity_43' => ':user ажурира задачата :task',
+ 'activity_44' => ':user ја архивира задачата :task',
+ 'activity_45' => ':user ја избриша задачата :task',
+ 'activity_46' => ':user ја поврати задачата :task',
+ 'activity_47' => ':user го ажурира трошокот :expense',
+ 'payment' => 'Плаќање',
+ 'system' => 'Систем',
+ 'signature' => 'Потпис на е-пошта',
+ 'default_messages' => 'Стандардни пораки',
+ 'quote_terms' => 'Услови на понуда',
+ 'default_quote_terms' => 'Стандардни услови на понуда',
+ 'default_invoice_terms' => 'Стандардни услови на фактура',
+ 'default_invoice_footer' => 'Стандарден футер на фактура',
+ 'quote_footer' => 'Футер на понуда',
+ 'free' => 'Бесплатно',
+ 'quote_is_approved' => 'Успешно одобрување',
+ 'apply_credit' => 'Примени кредит',
+ 'system_settings' => 'Поставки на системот',
+ 'archive_token' => 'Архивирај токен',
+ 'archived_token' => 'Успешно архивирање на токен',
+ 'archive_user' => 'Архивирај корисник',
+ 'archived_user' => 'Успешно архивирање на корисник',
+ 'archive_account_gateway' => 'Архивирај платен портал',
+ 'archived_account_gateway' => 'Успешно архивирање на платен портал',
+ 'archive_recurring_invoice' => 'Архивирај рекурентна фактура',
+ 'archived_recurring_invoice' => 'Успешно архивирање на рекурентна фактура',
+ 'delete_recurring_invoice' => 'Избриши рекурентна фактура',
+ 'deleted_recurring_invoice' => 'Успешно бришење на рекурентна фактура',
+ 'restore_recurring_invoice' => 'Поврати рекурентна фактура',
+ 'restored_recurring_invoice' => 'Успешно повратена рекурентна фактура',
+ 'archive_recurring_quote' => 'Архивирај рекурентна понуда',
+ 'archived_recurring_quote' => 'Успешно архивирана рекурентна понуда',
+ 'delete_recurring_quote' => 'Избриши рекурентна понуда',
+ 'deleted_recurring_quote' => 'Успешно избришана рекурентна понуда',
+ 'restore_recurring_quote' => 'Поврати рекурентна понуда',
+ 'restored_recurring_quote' => 'Успешно повратена рекурентна понуда',
+ 'archived' => 'Архивирано',
+ 'untitled_account' => 'Ненасловена компанија',
+ 'before' => 'Пред',
+ 'after' => 'Потоа',
+ 'reset_terms_help' => 'Ресетирај на стандардни услови на сметката',
+ 'reset_footer_help' => 'Ресетирај на стандарден футер на сметка',
+ 'export_data' => 'Експортирај податоци',
+ 'user' => 'Корисник',
+ 'country' => 'Држава',
+ 'include' => 'Вклучува',
+ 'logo_too_large' => 'Вашето лого е :size, за подобар PDF перформанс ви препорачуваме прикачување на слика помала од 200КБ ',
+ 'import_freshbooks' => 'Внесување од FreshBooks',
+ 'import_data' => 'Внеси податоци',
+ 'source' => 'Извор',
+ 'csv' => 'CSV',
+ 'client_file' => 'Датотека на клиент',
+ 'invoice_file' => 'Датотека на фактура',
+ 'task_file' => 'Датотека на задача',
+ 'no_mapper' => 'Нема валидно мапирање за датотека',
+ 'invalid_csv_header' => 'Невалидно CSV заглавие',
+ 'client_portal' => 'Портал на клиент',
+ 'admin' => 'Админ',
+ 'disabled' => 'Оневозможено',
+ 'show_archived_users' => 'Прикажи архивирани корисници',
+ 'notes' => 'Забелешки',
+ 'invoice_will_create' => 'Фактурата ќе биде креирана ',
+ 'invoices_will_create' => 'Фактурите ќе бидат креирани ',
+ 'failed_to_import' => 'Неуспешно внесување на следните записи, тие или претходно постоеле или им недостасуваат некои задолжителни полиња.',
+ 'publishable_key' => 'Клуч којшто може да се објавува',
+ 'secret_key' => 'Таен клуч',
+ 'missing_publishable_key' => 'Поставете го вашиот Stripe клуч којшто може да се објавува за подобар процес на проверка',
+ 'email_design' => 'Дизајн на е-пошта',
+ 'due_by' => 'Достасува на :date',
+ 'enable_email_markup' => 'Овозможи обележување',
+ 'enable_email_markup_help' => 'Направете го полесно плаќањето за вашите клиенти со додавање на schema.org обележје на вашите е-пошти',
+ 'template_help_title' => 'Помош за шаблони',
+ 'template_help_1' => 'Достапни варијабли:',
+ 'email_design_id' => 'Стил на е-пошта',
+ 'email_design_help' => 'Направи го изгледот на твојата е-пошта попрофесионален со HTML изглед.',
+ 'plain' => 'Обично',
+ 'light' => 'Светло',
+ 'dark' => 'Темно',
+ 'industry_help' => 'Користено за да се обезбеди споредба на просекот на компаниите од слична големина и индустријата.',
+ 'subdomain_help' => 'Поставете го поддоменот или прикажете ја фактурата на вашата веб страна.',
+ 'website_help' => 'Прикажете ја фактурата во iFrame на вашата веб страна',
+ 'invoice_number_help' => 'Одредете префикс или користете прилагодена шема за динамично поставување на бројот на фактура.',
+ 'quote_number_help' => 'Одредете префикс или користете прилагодена шема за динамично поставување на бројот на понуда.',
+ 'custom_client_fields_helps' => 'Додадете поле при креирање на клиент и опционално прикажете ја назнаката и вредноста на PDF.',
+ 'custom_account_fields_helps' => 'Додадете ознака и вредност во секцијата за детали за компанијата во PDF',
+ 'custom_invoice_fields_helps' => 'Додадете поле при креирање на фактура и опционално прикажете ја назнаката и вредноста на PDF.',
+ 'custom_invoice_charges_helps' => 'Додадете поле при креирање на фактурата и вклучете го наплатеното во посебните делови за вкупно на фактурата.',
+ 'token_expired' => 'Токенот за валидација е истечен. Ве молиме обидете се повторно.',
+ 'invoice_link' => 'Линк на фактура',
+ 'button_confirmation_message' => 'Кликнете за да ја потврдите вашата адреса на е-пошта',
+ 'confirm' => 'Потврди',
+ 'email_preferences' => 'Преференци за е-пошта',
+ 'created_invoices' => 'Успешно креирани :count invoice(s)',
+ 'next_invoice_number' => 'Следниот број на фактура е :number.',
+ 'next_quote_number' => 'Следниот број на понуда е :number.',
+ 'days_before' => 'дена пред',
+ 'days_after' => 'дена по',
+ 'field_due_date' => 'Датум на достасување',
+ 'field_invoice_date' => 'Датум на фактура',
+ 'schedule' => 'Распоред',
+ 'email_designs' => 'Дизајн на е-пошта',
+ 'assigned_when_sent' => 'Назначено кога е испратено',
+ 'white_label_purchase_link' => 'Купете лиценца за брендирање',
+ 'expense' => 'Трошок',
+ 'expenses' => 'Трошоци',
+ 'new_expense' => 'Внеси трошок',
+ 'enter_expense' => 'Внеси трошок',
+ 'vendors' => 'Продавачи',
+ 'new_vendor' => 'Нов продавач',
+ 'payment_terms_net' => 'Мрежа',
+ 'vendor' => 'Продавач',
+ 'edit_vendor' => 'Измени продавач',
+ 'archive_vendor' => 'Архивирај продавач',
+ 'delete_vendor' => 'Избриши продавач',
+ 'view_vendor' => 'Прегледај продавач',
+ 'deleted_expense' => 'Успешно бришење на трошок',
+ 'archived_expense' => 'Успешно архивирање на трошок',
+ 'deleted_expenses' => 'Успешно бришење на трошоци',
+ 'archived_expenses' => 'Успешно архивирање на трошоци',
+ 'expense_amount' => 'Износ на трошок',
+ 'expense_balance' => 'Баланс на трошок',
+ 'expense_date' => 'Датум на трошок',
+ 'expense_should_be_invoiced' => 'Дали овој трошок да биде фактуриран?',
+ 'public_notes' => 'Јавни забелешки',
+ 'invoice_amount' => 'Износ на фактура',
+ 'exchange_rate' => 'Девизен курс',
+ 'yes' => 'Да',
+ 'no' => 'Не',
+ 'should_be_invoiced' => 'Треба да биде фактурирано',
+ 'view_expense' => 'Преглед на трошок # :expense',
+ 'edit_expense' => 'Измени трошок',
+ 'archive_expense' => 'Архивирај трошок',
+ 'delete_expense' => 'Избриши трошок',
+ 'view_expense_num' => 'Трошок # :expense',
+ 'updated_expense' => 'Успешно ажурирање на трошок',
+ 'created_expense' => 'Успешно креирање на трошок',
+ 'enter_expense' => 'Внеси трошок',
+ 'view' => 'Преглед',
+ 'restore_expense' => 'Поврати трошок',
+ 'invoice_expense' => 'Фактурирај трошок',
+ 'expense_error_multiple_clients' => 'Трошоците не можат да припаѓаат на различни клиенти',
+ 'expense_error_invoiced' => 'Трошокот е веќе фактуриран',
+ 'convert_currency' => 'Конвертирај валута',
+ 'num_days' => 'Број на денови',
+ 'create_payment_term' => 'Креирај термин на плаќање ',
+ 'edit_payment_terms' => 'Измени термин на плаќање',
+ 'edit_payment_term' => 'Измени термин на плаќање',
+ 'archive_payment_term' => 'Архивирај термин на плаќање ',
+ 'recurring_due_dates' => 'Датуми на достасување на рекурентна фактура',
+ 'recurring_due_date_help' => ' Датумот на достасување на фактурата е автоматски подесен.
+ Датумот на достасување на фактурите кои што се на месечен или годишен циклус е подесен на или еден ден пред датумот на кој што се креирани за наредниот месец. Датумот на достасување на фактурите е подесен на 29ти или 30ти ден од месецот а за месеци кои немаат толку денови е подесен на последниот ден од месецот.
+ Фактурите со неделен циклус се подесени со датум на достасување на денот на кој се креирани наредната недела.
+ На пример:
+
+ - Денес е 15ти ден од месецот, датумот на достасување е првиот ден од месецот. Логично датумот на достасување би бил првиот ден од наредниот месец.
+ - Денес е 15ти ден од месецот, датумот на достасување е последниот ден од месецот. Датумот на достасување би бил последниот ден од тековниот месец.
+
+ - Денес е 15ти, датумот на достасување е 15ти ден од месецот. Датумот на достасување би бил 15ти ден од наредниот месец.
+
+ - Денес е петок, датумот на достасување е првиот петок потоа. Датумот на достасување би бил наредниот петок, не денес.
+
+
',
+ 'due' => 'До',
+ 'next_due_on' => 'Следно достасување :date',
+ 'use_client_terms' => 'Користи услови на клиент',
+ 'day_of_month' => ':ordinal ден од месецот',
+ 'last_day_of_month' => 'Последен ден од месецот',
+ 'day_of_week_after' => ':ordinal :day потоа',
+ 'sunday' => 'Недела',
+ 'monday' => 'Понеделник',
+ 'tuesday' => 'Вторник',
+ 'wednesday' => 'Среда',
+ 'thursday' => 'Четврток',
+ 'friday' => 'Петок',
+ 'saturday' => 'Сабота',
+ 'header_font_id' => 'Фонт на заглавје',
+ 'body_font_id' => 'Фонт на конструкција',
+ 'color_font_help' => 'Забелешка: примарната боја и фонтови се исто така користени во порталот на клиентот и во посебните дизајни на е-пошта.',
+ 'live_preview' => 'Преглед во живо',
+ 'invalid_mail_config' => 'Е-поштата не може да се испрати, ве молиме проверете дали поставките за е-пошта се точни.',
+ 'invoice_message_button' => 'За преглед на фактурата за :amount, кликнете на копчето подоле.',
+ 'quote_message_button' => 'За преглед на понудата за :amount, кликнете на копчето подоле.',
+ 'payment_message_button' => 'Ви благодариме за вашето плаќање од :amount.',
+ 'payment_type_direct_debit' => 'Директно задолжување',
+ 'bank_accounts' => 'Кредитни картички и банки',
+ 'add_bank_account' => 'Додај банкарска сметка',
+ 'setup_account' => 'Постави сметка',
+ 'import_expenses' => 'Внеси трошоци',
+ 'bank_id' => 'Банка',
+ 'integration_type' => 'Тип на интеграција',
+ 'updated_bank_account' => 'Успешно ажурирана банкарска сметка',
+ 'edit_bank_account' => 'Измени банкарска сметка',
+ 'archive_bank_account' => 'Архивирај банкарска сметка',
+ 'archived_bank_account' => 'Успешно архивирање на банкарска сметка',
+ 'created_bank_account' => 'Успешно креирање на банкарска сметка',
+ 'validate_bank_account' => 'Валидирај банкарска сметка',
+ 'bank_password_help' => 'Забелешка: вашата лозинка е безбедно пренесена и никогаш нема да е зачувана на нашите сервери.',
+ 'bank_password_warning' => 'Предупредување: вашата лозинка може да биде пренесена во обичен текст, имајте во предвид вклучување на HTTPS.',
+ 'username' => 'Корисничко име',
+ 'account_number' => 'Број на сметка',
+ 'account_name' => 'Име на сметка',
+ 'bank_account_error' => 'Неуспешен поврат на деталите за сметката, ве молиме да ги проверите вашите креденцијали.',
+ 'status_approved' => 'Одобрено',
+ 'quote_settings' => 'Поставки за понуда',
+ 'auto_convert_quote' => 'Автоматско конвертирање',
+ 'auto_convert_quote_help' => 'Автоматски конвертирај понуда во фактура кога истата ќе биде одобрена од клиентот.',
+ 'validate' => 'Валидирај',
+ 'info' => 'Инфо',
+ 'imported_expenses' => 'Успешно креирани :count_vendors продавачи и :count_expense(s) трошоци',
+ 'iframe_url_help3' => 'Забелешка: ако планирате да ги прифатите деталите за кредитни картички препорачуваме да овозможите HTTPS на вашиот сајт.',
+ 'expense_error_multiple_currencies' => 'Трошоците не можат да имаат различни валути.',
+ 'expense_error_mismatch_currencies' => 'Валутата на клиентот не се совпаѓа со валутата на трошокот.',
+ 'trello_roadmap' => 'Trello мапа',
+ 'header_footer' => 'Заглавје/Футер',
+ 'first_page' => 'Прва страна',
+ 'all_pages' => 'Сите страни',
+ 'last_page' => 'Последна страна',
+ 'all_pages_header' => 'Прикажи заглавје на',
+ 'all_pages_footer' => 'Прикажи футер на',
+ 'invoice_currency' => 'Валута на фактура',
+ 'enable_https' => 'Препорачуваме користење на HTTPS за прифаќање на детали од кредитна картичка онлајн.',
+ 'quote_issued_to' => 'Понуда издадена на',
+ 'show_currency_code' => 'Код на валута',
+ 'free_year_message' => 'Вашата сметка е ажурирана на pro план за една година без никакви трошоци.',
+ 'trial_message' => 'Вашата сметка ќе добие бесплатен пробен период на нашиот Pro план во траење од две недели.',
+ 'trial_footer' => 'Вашиот бесплатен пробен период на Pro план трае уште :count дена :link за ажурирање.',
+ 'trial_footer_last_day' => 'Ова е последниот ден од вашиот бесплатен пробен период на Pro план, :link за ажурирање.',
+ 'trial_call_to_action' => 'Започни бесплатен пробен период',
+ 'trial_success' => 'Успешно овозможен и две недели за бесплатен пробен период на Pro план',
+ 'overdue' => 'Задоцнето',
+
+
+ 'white_label_text' => 'Купете ЕДНОГОДИШЕН ПЛАН за брендирана лиценца за $:price за да го отстраните брендирањето на Invoice Ninja од клиентскиот портал.',
+ 'user_email_footer' => 'За прилагодување на вашите поставки за известувања преку е-пошта ве молиме посетете :link',
+ 'reset_password_footer' => 'Ако не поднесовте барање за ресетирање на лозинка ве молиме пратете е-пошта на нашата поддршка :email',
+ 'limit_users' => 'Извинете, ова ќе го надмине лимитот од :limit корисници',
+ 'more_designs_self_host_header' => 'Добијте 6 додатни дизајни за фактура за само $:price ',
+ 'old_browser' => 'Ве молиме користете :link',
+ 'newer_browser' => 'понов пребарувач',
+ 'white_label_custom_css' => ':link за $:price за овозможување пристап до прилагодено стилизирање и поддршка за нашиот проект.',
+ 'bank_accounts_help' => 'Поврзете банкарска сметка за автоматско внесување на трошоците и креирање на продавачи. Поддржува American Express и :link.',
+ 'us_banks' => '400+ Американски банки',
+
+ 'pro_plan_remove_logo' => ':link за отстранување на Invoice Ninja логото со приклучување на Pro планот',
+ 'pro_plan_remove_logo_link' => 'Кликни тука',
+ 'invitation_status_sent' => 'Испратено',
+ 'invitation_status_opened' => 'Отворено',
+ 'invitation_status_viewed' => 'Видено',
+ 'email_error_inactive_client' => 'Е-пошта не може да биде пратена на неактивни клиенти',
+ 'email_error_inactive_contact' => 'Е-пошта не може да биде пратена на неактивни контакти',
+ 'email_error_inactive_invoice' => 'Е-пошта не може да биде пратена на неактивни фактури',
+ 'email_error_inactive_proposal' => 'Е-пошта не може да биде пратена на неактивни предлози',
+ 'email_error_user_unregistered' => 'Ве молиме регистрирајте се на вашата сметка за да испратите е-пошта',
+ 'email_error_user_unconfirmed' => 'Ве молиме потврдете ја вашата сметка за да испратите е-пошта',
+ 'email_error_invalid_contact_email' => 'Невалидна контакт е-пошта',
+
+ 'navigation' => 'Навигација',
+ 'list_invoices' => 'Листа на фактури',
+ 'list_clients' => 'Листа на клиенти',
+ 'list_quotes' => 'Листа на понуди',
+ 'list_tasks' => 'Листа на задачи',
+ 'list_expenses' => 'Листа на трошоци',
+ 'list_recurring_invoices' => 'Листа на рекурентни фактури',
+ 'list_payments' => 'Листа на плаќања',
+ 'list_credits' => 'Листа на кредити',
+ 'tax_name' => 'Име на данок',
+ 'report_settings' => 'Поставки за извештај',
+ 'search_hotkey' => 'кратенка е /',
+
+ 'new_user' => 'Нов корисник',
+ 'new_product' => 'Нов продукт',
+ 'new_tax_rate' => 'Нова стапка на данок',
+ 'invoiced_amount' => 'Фактуриран износ',
+ 'invoice_item_fields' => 'Поле за ставка на фактура',
+ 'custom_invoice_item_fields_help' => 'Додади поле при креирање на ставка за фактура и прикажи обележје и вреднос на PDF.',
+ 'recurring_invoice_number' => 'Рекурентен број',
+ 'recurring_invoice_number_prefix_help' => 'Одреди префикс кој ќе биде додаден на бројот на факурата за рекурентни фактури.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Фактури заштитени со лозинка',
+ 'enable_portal_password_help' => 'Ви дозволува поставување на лозинка за секој контакт. Ако поставите лозинка. контактот ќе мора да ја внесе лозинката пред да ги прегледа фактурите.',
+ 'send_portal_password' => 'Генерирај автоматски',
+ 'send_portal_password_help' => 'Ако не е поставена лозинка, ќе се изгенерира и ќе се прати заедно со првата фактура.',
+
+ 'expired' => 'Истечено',
+ 'invalid_card_number' => 'Бројот на кредитната картичка е невалиден.',
+ 'invalid_expiry' => 'Датумот на истекување не е валиден.',
+ 'invalid_cvv' => 'CVV не е валидно',
+ 'cost' => 'Цена',
+ 'create_invoice_for_sample' => 'Забелешка: креирајте ја вашата прва фактура за да можете да ја прегледате тука.',
+
+ // User Permissions
+ 'owner' => 'Сопственик',
+ 'administrator' => 'Администратор',
+ 'administrator_help' => 'Дозвола за корисникот да менаџира со корисниците, да ги менува поставките и да ги модифицира сите записи',
+ 'user_create_all' => 'Креирај клиенти, фактури, итн.',
+ 'user_view_all' => 'Прегледај ги сите клиенти, фактури, итн.',
+ 'user_edit_all' => 'Измени ги сите клиенти, фактури, итн.',
+ 'gateway_help_20' => ':link за регистрација на Sage Pay.',
+ 'gateway_help_21' => ':link за регистрација на Sage Pay.',
+ 'partial_due' => 'Делумен долг',
+ 'restore_vendor' => 'Поврати продавач',
+ 'restored_vendor' => 'Успешно повраќање на продавач',
+ 'restored_expense' => 'Успешно повраќање на трошок',
+ 'permissions' => 'Дозволи',
+ 'create_all_help' => 'Дозволи на корисник да креира и модифицира записи',
+ 'view_all_help' => 'Дозволи на корисник да има преглед врз записи кој што не ги креирал',
+ 'edit_all_help' => 'Дозволи на корисник да модифицира записи кои не ги креирал',
+ 'view_payment' => 'Прегледај плаќање',
+
+ 'january' => 'Јануари',
+ 'february' => 'Февруари',
+ 'march' => 'Март',
+ 'april' => 'Април',
+ 'may' => 'Мај',
+ 'june' => 'Јуни',
+ 'july' => 'Јули',
+ 'august' => 'Август',
+ 'september' => 'Септември',
+ 'october' => 'Октомври',
+ 'november' => 'Ноември',
+ 'december' => 'Декември',
+
+ // Documents
+ 'documents_header' => 'Документи:',
+ 'email_documents_header' => 'Документи:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Документи на понуда',
+ 'invoice_documents' => 'Документи на фактура',
+ 'expense_documents' => 'Документи на трошоци',
+ 'invoice_embed_documents' => 'Вметни документи',
+ 'invoice_embed_documents_help' => 'Вклучи ги прикачените слики во фактурата.',
+ 'document_email_attachment' => 'Прикачи документи',
+ 'ubl_email_attachment' => 'Прикачи UBL',
+ 'download_documents' => 'Преземи документи (:size)',
+ 'documents_from_expenses' => 'Од Трошоци:',
+ 'dropzone_default_message' => 'Спушти ги датотеките или кликни за да прикачување',
+ 'dropzone_fallback_message' => 'Вашиот пребарувач не ја поддржува опцијата drag\'n\'drop за прикачување на датотеки',
+ 'dropzone_fallback_text' => 'Ве молиме користете ја резервната форма подоле за да ги прикачите вашите датотеки како во старите денови.',
+ 'dropzone_file_too_big' => 'Датотеката е преголема ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'Не можете да прикачите датотеки од овој тип.',
+ 'dropzone_response_error' => 'Серверот одговори со {{statusCode}} код. ',
+ 'dropzone_cancel_upload' => 'Откажи прикачување',
+ 'dropzone_cancel_upload_confirmation' => 'Дали сте сигурни дека сакате да го откажете ова прикачување?',
+ 'dropzone_remove_file' => 'Отстрани датотека',
+ 'documents' => 'Документи',
+ 'document_date' => 'Датум на документ',
+ 'document_size' => 'Големина',
+
+ 'enable_client_portal' => 'Портал на клиентот',
+ 'enable_client_portal_help' => 'Прикажи/сокриј го порталот на клиентот.',
+ 'enable_client_portal_dashboard' => 'Контролна табла',
+ 'enable_client_portal_dashboard_help' => 'Прикажи/сокриј ја страната со контролната табла на порталот на клиентот.',
+
+ // Plans
+ 'account_management' => 'Менаџирање на сметка',
+ 'plan_status' => 'Статус на план',
+
+ 'plan_upgrade' => 'Ажурирање',
+ 'plan_change' => 'Промени план',
+ 'pending_change_to' => 'Промени до',
+ 'plan_changes_to' => ':plan на :date',
+ 'plan_term_changes_to' => ':plan (:term) на :date',
+ 'cancel_plan_change' => 'Откажи промена',
+ 'plan' => 'План',
+ 'expires' => 'Истекува',
+ 'renews' => 'Обнови',
+ 'plan_expired' => ':plan планот истече',
+ 'trial_expired' => ':plan пробниот период за планот заврши ',
+ 'never' => 'Никогаш',
+ 'plan_free' => 'Бесплатно',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Претпријатие',
+ 'plan_white_label' => 'Самохостирано (брендирано)',
+ 'plan_free_self_hosted' => 'Самохостирано (бесплатно)',
+ 'plan_trial' => 'Пробен период',
+ 'plan_term' => 'Термин',
+ 'plan_term_monthly' => 'Месечно',
+ 'plan_term_yearly' => 'Годишно',
+ 'plan_term_month' => 'Месец',
+ 'plan_term_year' => 'Година',
+ 'plan_price_monthly' => '$:price/Месец',
+ 'plan_price_yearly' => '$:price/Година',
+ 'updated_plan' => 'Ажурирани поставки на план',
+ 'plan_paid' => 'Терминот започна',
+ 'plan_started' => 'Планот започна',
+ 'plan_expires' => 'Планот истекува',
+
+ 'white_label_button' => 'Брендирање',
+
+ 'pro_plan_year_description' => 'Една година запишување на Invoice Ninja Pro планот.',
+ 'pro_plan_month_description' => 'Еден месец запишување на Invoice Ninja Pro планот.',
+ 'enterprise_plan_product' => 'План за претпријатие',
+ 'enterprise_plan_year_description' => 'Една година запишување на Invoice Ninja Pro планот за претпријатие.',
+ 'enterprise_plan_month_description' => 'Еден месец запишување на Invoice Ninja Pro планот за претпријатие.',
+ 'plan_credit_product' => 'Кредит',
+ 'plan_credit_description' => 'Кредит за неискористено време',
+ 'plan_pending_monthly' => 'Ќе се смени на месечно на :date',
+ 'plan_refunded' => 'Издадено е рефундирање.',
+
+ 'live_preview' => 'Преглед во живо',
+ 'page_size' => 'Големина на страна',
+ 'live_preview_disabled' => 'Прегледот во живо е оневозможен за поддршка на избраниот фонт',
+ 'invoice_number_padding' => 'Внатрешна маргина',
+ 'preview' => 'Преглед',
+ 'list_vendors' => 'Листа на продавачи',
+ 'add_users_not_supported' => 'Надоградете на план за претпријатија за да можете да додадете повеќе корисници на вашата сметка ',
+ 'enterprise_plan_features' => 'Планот за претпријатија дава поддршка за повеќе корисници и прикачувања на документи, :link за да ја видите целата листа на придобивки ',
+ 'return_to_app' => 'Врати се на апликација',
+
+
+ // Payment updates
+ 'refund_payment' => 'Рефундирај плаќање',
+ 'refund_max' => 'Максимално:',
+ 'refund' => 'Рефундирај',
+ 'are_you_sure_refund' => 'Рефундирај ги избраните плаќања?',
+ 'status_pending' => 'Во тек',
+ 'status_completed' => 'Завршено',
+ 'status_failed' => 'Неуспешно',
+ 'status_partially_refunded' => 'Делумно рефундирано',
+ 'status_partially_refunded_amount' => ':amount рефундирано',
+ 'status_refunded' => 'Рефундирано',
+ 'status_voided' => 'Откажано',
+ 'refunded_payment' => 'Рефундирано плаќање',
+ 'activity_39' => ':user го откажа :payment_amount плаќањето :payment',
+ 'activity_40' => ':user го рефундира :adjustment на :payment_amount плаќање :payment',
+ 'card_expiration' => 'Истек: :expires',
+
+ 'card_creditcardother' => 'Непознато',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Прифати трансфер од американска банка',
+ 'stripe_ach_help' => 'ACH поддршката мора исто така да е овозможена во :link.',
+ 'ach_disabled' => 'Друг портал на плаќање е веќе конфигуриран за директно задолжување.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Идентификација на клиент',
+ 'secret' => 'Тајно',
+ 'public_key' => 'Јавен клуч',
+ 'plaid_optional' => '(опционално)',
+ 'plaid_environment_help' => 'Кога е даден Stripe тест клуч, ќе биде користена развивачката средина на Plaid (тартан).',
+ 'other_providers' => 'Други провајдери',
+ 'country_not_supported' => 'Таа држава не е поддржана.',
+ 'invalid_routing_number' => 'Бројот на рутирање не е валиден.',
+ 'invalid_account_number' => 'Бројот на сметката не е валиден.',
+ 'account_number_mismatch' => 'Броевите на сметките не се совпаѓаат',
+ 'missing_account_holder_type' => 'Ве молиме одберете индивидуална или сметка на компанија.',
+ 'missing_account_holder_name' => 'Ве молиме внесете го името на сопственикот на сметката.',
+ 'routing_number' => 'Број за рутирање',
+ 'confirm_account_number' => 'Потврди го бројот на сметката',
+ 'individual_account' => 'Индивидуална сметка',
+ 'company_account' => 'Сметка на компанија',
+ 'account_holder_name' => 'Име на сопственик на сметка',
+ 'add_account' => 'Додај сметка',
+ 'payment_methods' => 'Начини на плаќање',
+ 'complete_verification' => 'Целосна верификација',
+ 'verification_amount1' => 'Износ 1',
+ 'verification_amount2' => 'Износ 2',
+ 'payment_method_verified' => 'Успешно завршена верификација',
+ 'verification_failed' => 'Неуспешна верификација',
+ 'remove_payment_method' => 'Отстрани го начинот на плаќање',
+ 'confirm_remove_payment_method' => 'Дали сте сигурни дека сакате да го отстраните начинот на плаќање?',
+ 'remove' => 'Отстрани',
+ 'payment_method_removed' => 'Отстранет начин на плаќање',
+ 'bank_account_verification_help' => 'Направивме два депозити на вашата сметка со опис "ВЕРИФИКАЦИЈА". За да се прикажат овие депозити на вашиот статус ќе бидат потребни 1-2 работни дена. Ве молиме внесете ги износите подоле. ',
+ 'bank_account_verification_next_steps' => 'Направивме два депозити на вашата сметка со опис "ВЕРИФИКАЦИЈА". За да се прикажат овие депозити на вашиот статус ќе бидат потребни 1-2 работни дена.
+Откако ќе ги добиете износите, вратете се на оваа страница за начин на плаќање и кликнете "Заврши Верификација" до сметката.',
+ 'unknown_bank' => 'Непозната банка',
+ 'ach_verification_delay_help' => 'Ќе можете да ја користите сметката по завршувањето на верификацијата. Верификацијата обично трае 1-2 работни дена.',
+ 'add_credit_card' => 'Додај кредитна картичка',
+ 'payment_method_added' => 'Додаден начин на плаќање.',
+ 'use_for_auto_bill' => 'Користи за автоматска наплата',
+ 'used_for_auto_bill' => 'Начин на плаќање автоматска наплата',
+ 'payment_method_set_as_default' => 'Постави начин на плаќање автоматска наплата.',
+ 'activity_41' => ':payment_amount плаќање (:payment) е неуспешно',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'Морате да :link.',
+ 'stripe_webhook_help_link_text' => 'додади го овој URL како крајна точка на Stripe',
+ 'gocardless_webhook_help_link_text' => 'додади го овој URL како крајна точка на GoCardless',
+ 'payment_method_error' => 'Имаше грешка при додавањето на вашиот начин на плаќање. Ве молиме обидете се повторно подоцна.',
+ 'notification_invoice_payment_failed_subject' => 'Плаќањето е неуспешно за фактура :invoice',
+ 'notification_invoice_payment_failed' => 'Плаќање направено од страна на клиентот :client на фактурата :invoice е неуспешно. Плаќањето ќе биде обележано како неуспешно и :amount ќе се додаде на балансот на клиентот.',
+ 'link_with_plaid' => 'Поврзете ја сметката веднаш со Plaid',
+ 'link_manually' => 'Поврзете рачно',
+ 'secured_by_plaid' => 'Осигурано од Plaid',
+ 'plaid_linked_status' => 'Вашата банкарска сметка во :bank',
+ 'add_payment_method' => 'Додади начин на плаќање',
+ 'account_holder_type' => 'Тип на сопственик на сметка',
+ 'ach_authorization' => 'Одобрувам :company да ја користи мојата банкарска сметка за идни плаќања и, ако е потребно, електронски да ја кредитира мојата сметка за да ги поправи погрешните дебити. Разбирам дека можам да ја откажам оваа дозвола во било кое време со отстранување на начинот на плаќање или преку контактирање на :email.',
+ 'ach_authorization_required' => 'Мора да се согласите на ACH трансакции.',
+ 'off' => 'Исклучено',
+ 'opt_in' => 'Влез',
+ 'opt_out' => 'Излез',
+ 'always' => 'Секогаш',
+ 'opted_out' => 'Излезено',
+ 'opted_in' => 'Влезено',
+ 'manage_auto_bill' => 'Менаџирај автоматска наплата',
+ 'enabled' => 'Овозможено',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Овозможи PayPal плаќања преку BrainTree',
+ 'braintree_paypal_disabled_help' => 'PayPal платниот портал процесира PayPal плаќања',
+ 'braintree_paypal_help' => 'Исто така мора да :link',
+ 'braintree_paypal_help_link_text' => 'Поврзете го PayPal за вашата BrainTree сметка ',
+ 'token_billing_braintree_paypal' => 'Зачувај детали за плаќање',
+ 'add_paypal_account' => 'Додај PayPal сметка',
+
+
+ 'no_payment_method_specified' => 'Нема одредено начин на плаќање',
+ 'chart_type' => 'Тип на графикон',
+ 'format' => 'Формат',
+ 'import_ofx' => 'Внеси OFX',
+ 'ofx_file' => 'OFX датотека',
+ 'ofx_parse_failed' => 'Неуспешно парсирање на OFX датотека',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Регистрирај се на WePay',
+ 'use_another_provider' => 'Користи друг провајдер',
+ 'company_name' => 'Име на компанија',
+ 'wepay_company_name_help' => 'Ова ќе се појави на изјавите на кредитните картички од клиентите',
+ 'wepay_description_help' => 'Целта на оваа сметка.',
+ 'wepay_tos_agree' => 'Се согласувам со :link.',
+ 'wepay_tos_link_text' => 'WePay услови на услуга',
+ 'resend_confirmation_email' => 'Испрати повторно е-пошта за потврда',
+ 'manage_account' => 'Управувај со сметка',
+ 'action_required' => 'Потребна е акција',
+ 'finish_setup' => 'Заврши го поставувањето',
+ 'created_wepay_confirmation_required' => 'Ве молиме проверете ја вашата е-пошта и потврдете ја вашата ел. адреса со WePay.',
+ 'switch_to_wepay' => 'Префрли на WePay',
+ 'switch' => 'Префрли',
+ 'restore_account_gateway' => 'Поврати платен портал',
+ 'restored_account_gateway' => 'Успешно повратување на платниот портал',
+ 'united_states' => 'Соединетите Американски Држави',
+ 'canada' => 'Канада',
+ 'accept_debit_cards' => 'Прифати дебитни картички',
+ 'debit_cards' => 'Дебитни картички',
+
+ 'warn_start_date_changed' => 'Следната фактура ќе биде испратена на новиот датум на почеток.',
+ 'warn_start_date_changed_not_sent' => 'Следната фактура ќе биде креирана на новиот датум на почеток.',
+ 'original_start_date' => 'Оригинален датум на почеток',
+ 'new_start_date' => 'Нов датум на почеток',
+ 'security' => 'Осигурување',
+ 'see_whats_new' => 'Види што има ново во v:version',
+ 'wait_for_upload' => 'Ве молиме почекајте да заврши прикачувањето на документот.',
+ 'upgrade_for_permissions' => 'Надградете на план за претпријатие за да овозможите дозволи.',
+ 'enable_second_tax_rate' => 'Овозможи одредување на втора рата на данок ',
+ 'payment_file' => 'Датотека на плаќање',
+ 'expense_file' => 'Датотека на трошок',
+ 'product_file' => 'Датотека на продукт',
+ 'import_products' => 'Внеси продукти',
+ 'products_will_create' => 'продуктите ќе бидат креирани',
+ 'product_key' => 'Продукт',
+ 'created_products' => 'Успешно креиран/ажуриран :count продукт(и)',
+ 'export_help' => 'Користи JSON ако планираш да ги внесеш информациите во Invoice Ninja.
Датотеката содржи клиенти, продукти, фактури, понуди и плаќања.',
+ 'selfhost_export_help' => '
Препорачуваме користење на mysqldump за креирање на целосен бекап.',
+ 'JSON_file' => 'JSON датотека',
+
+ 'view_dashboard' => 'Погледни контролна табла',
+ 'client_session_expired' => 'Сесијата истече',
+ 'client_session_expired_message' => 'Вашата сесија истече. Ве молиме кликнете на линкот во вашата е-пошта повторно.',
+
+ 'auto_bill_notification' => 'Оваа фактура ќе биде автоматски наплатена на вашиот :payment_method на датотеката на :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'банкарска сметка',
+ 'auto_bill_payment_method_credit_card' => 'кредитна картичка',
+ 'auto_bill_payment_method_paypal' => 'PayPal сметка',
+ 'auto_bill_notification_placeholder' => 'Оваа фактура автоматски ќе биде наплатена од вашата кредитна картичка на датотеката на датумот на достасување.',
+ 'payment_settings' => 'Подесувања за плаќање',
+
+ 'on_send_date' => 'На датум на праќање',
+ 'on_due_date' => 'На датум на достасување ',
+ 'auto_bill_ach_date_help' => 'ACH секогаш ќе наплаќа автоматски на датумот на достасување.',
+ 'warn_change_auto_bill' => 'Поради NACHA правилата, промените направени на оваа фактура можат да го спречат ACH во автоматската наплата.',
+
+ 'bank_account' => 'Банкарска сметка',
+ 'payment_processed_through_wepay' => 'ACH плаќањата ќе бидат процесирани преку WePay.',
+ 'wepay_payment_tos_agree' => 'Се согласувам на WePay :terms и :privacy_policy.',
+ 'privacy_policy' => 'Полиса за приватност',
+ 'wepay_payment_tos_agree_required' => 'Морате да се согласите со WePay условите за услуга и полисата за приватност.',
+ 'ach_email_prompt' => 'Ве молиме внесете ја вашата адреса на е-пошта:',
+ 'verification_pending' => 'Верификацијата е во тек',
+
+ 'update_font_cache' => 'Ве молиме насилно освежете ја страната за да ја ажурирате кеш меморијата за фонт.',
+ 'more_options' => 'Повеќе опции',
+ 'credit_card' => 'Кредитна картичка',
+ 'bank_transfer' => 'Банкарски трансфер',
+ 'no_transaction_reference' => 'Не е добиена референца за трансакција од порталот за плаќање.',
+ 'use_bank_on_file' => 'Користи банка на датотека',
+ 'auto_bill_email_message' => 'Оваа фактура ќе биде автоматски наплатена според начинот на плаќање на датотеката на датумот на достасување.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Додадено :date',
+ 'failed_remove_payment_method' => 'Неуспешно отстранување на начинот на плаќање',
+ 'gateway_exists' => 'Овој платен портал веќе постои',
+ 'manual_entry' => 'Рачен влез',
+ 'start_of_week' => 'Прв ден од неделата',
+
+ // Frequencies
+ 'freq_inactive' => 'Неактивно',
+ 'freq_daily' => 'Дневно',
+ 'freq_weekly' => 'Неделно',
+ 'freq_biweekly' => 'Двонеделно',
+ 'freq_two_weeks' => 'Две недели',
+ 'freq_four_weeks' => 'Четири недели',
+ 'freq_monthly' => 'Месечно',
+ 'freq_three_months' => 'Три месеци',
+ 'freq_four_months' => 'Четири месеци',
+ 'freq_six_months' => 'Шест месеци',
+ 'freq_annually' => 'Годишно',
+ 'freq_two_years' => 'Две години',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Поднеси кредит',
+ 'payment_type_Bank Transfer' => 'Банкарски трансфер',
+ 'payment_type_Cash' => 'Кеш',
+ 'payment_type_Debit' => 'Дебит',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover картичка',
+ 'payment_type_Diners Card' => 'Diners картичка',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Останати кредитни картички',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Провери',
+ 'payment_type_Carte Blanche' => 'Бланко карта',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Префри',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Сметководство и право',
+ 'industry_Advertising' => 'Рекламирање',
+ 'industry_Aerospace' => 'Воздухопловство',
+ 'industry_Agriculture' => 'Агрокултура',
+ 'industry_Automotive' => 'Автомобилство',
+ 'industry_Banking & Finance' => 'Банкарство и финансии',
+ 'industry_Biotechnology' => 'Биотехнологија',
+ 'industry_Broadcasting' => 'Радиодифузија',
+ 'industry_Business Services' => 'Бизнис услуги ',
+ 'industry_Commodities & Chemicals' => 'Стоки и хемикалии',
+ 'industry_Communications' => 'Комуникации',
+ 'industry_Computers & Hightech' => 'Компјутери и висока технологија',
+ 'industry_Defense' => 'Одбрана',
+ 'industry_Energy' => 'Енергија',
+ 'industry_Entertainment' => 'Забава',
+ 'industry_Government' => 'Влада',
+ 'industry_Healthcare & Life Sciences' => 'Здравствени и животни науки',
+ 'industry_Insurance' => 'Осигурување',
+ 'industry_Manufacturing' => 'Производство',
+ 'industry_Marketing' => 'Маркетинг',
+ 'industry_Media' => 'Медиа',
+ 'industry_Nonprofit & Higher Ed' => 'Непрофитни организации и Високо образование',
+ 'industry_Pharmaceuticals' => 'Фармацевтски производи',
+ 'industry_Professional Services & Consulting' => 'Професионални услуги и советување',
+ 'industry_Real Estate' => 'Недвижен имот',
+ 'industry_Restaurant & Catering' => 'Ресторан и кетеринг',
+ 'industry_Retail & Wholesale' => 'Малопродажба и трговија на големо',
+ 'industry_Sports' => 'Спорт',
+ 'industry_Transportation' => 'Транспорт',
+ 'industry_Travel & Luxury' => 'Патување и луксуз',
+ 'industry_Other' => 'Друго',
+ 'industry_Photography' => 'Фотографија',
+
+ // Countries
+ 'country_Afghanistan' => 'Авганистан',
+ 'country_Albania' => 'Албанија',
+ 'country_Antarctica' => 'Антартик',
+ 'country_Algeria' => 'Алжир',
+ 'country_American Samoa' => 'Американска Самоа',
+ 'country_Andorra' => 'Андора',
+ 'country_Angola' => 'Ангола',
+ 'country_Antigua and Barbuda' => 'Антигва и Барбуда',
+ 'country_Azerbaijan' => 'Азербејџан',
+ 'country_Argentina' => 'Аргентина',
+ 'country_Australia' => 'Австралија',
+ 'country_Austria' => 'Австрија',
+ 'country_Bahamas' => 'Бахами',
+ 'country_Bahrain' => 'Бахреин',
+ 'country_Bangladesh' => 'Бангладеш',
+ 'country_Armenia' => 'Ерменија',
+ 'country_Barbados' => 'Барбадос',
+ 'country_Belgium' => 'Белгија',
+ 'country_Bermuda' => 'Бермуда',
+ 'country_Bhutan' => 'Бутан',
+ 'country_Bolivia, Plurinational State of' => 'Плурационална Држава Боливија',
+ 'country_Bosnia and Herzegovina' => 'Босна и Херцеговина',
+ 'country_Botswana' => 'Боцвана',
+ 'country_Bouvet Island' => 'Буве Oстров',
+ 'country_Brazil' => 'Бразил',
+ 'country_Belize' => 'Белизе',
+ 'country_British Indian Ocean Territory' => 'Британска територија на Индискиот Океан',
+ 'country_Solomon Islands' => 'Соломонови Oстрови',
+ 'country_Virgin Islands, British' => 'Виргински Острови, Британија',
+ 'country_Brunei Darussalam' => 'Брунеј Дерусалам',
+ 'country_Bulgaria' => 'Бугарија',
+ 'country_Myanmar' => 'Мјанмар',
+ 'country_Burundi' => 'Бурунди',
+ 'country_Belarus' => 'Белорусија',
+ 'country_Cambodia' => 'Кембоџа',
+ 'country_Cameroon' => 'Камерун',
+ 'country_Canada' => 'Канада',
+ 'country_Cape Verde' => 'Зеленортски Острови',
+ 'country_Cayman Islands' => 'Кајмански Острови',
+ 'country_Central African Republic' => 'Централна Африканска Република',
+ 'country_Sri Lanka' => 'Шри Ланка',
+ 'country_Chad' => 'Чад',
+ 'country_Chile' => 'Чиле',
+ 'country_China' => 'Кина',
+ 'country_Taiwan, Province of China' => 'Тајван, Кинеска Провинција',
+ 'country_Christmas Island' => 'Божиќен Остров',
+ 'country_Cocos (Keeling) Islands' => 'Кокос (Килинг) Острови',
+ 'country_Colombia' => 'Колумбија',
+ 'country_Comoros' => 'Коморос',
+ 'country_Mayotte' => 'Мајоте',
+ 'country_Congo' => 'Конго',
+ 'country_Congo, the Democratic Republic of the' => 'Демократска Република Конго',
+ 'country_Cook Islands' => 'Кук Острови',
+ 'country_Costa Rica' => 'Костарика',
+ 'country_Croatia' => 'Хрватска',
+ 'country_Cuba' => 'Куба',
+ 'country_Cyprus' => 'Кипар',
+ 'country_Czech Republic' => 'Чешка Република',
+ 'country_Benin' => 'Бенин',
+ 'country_Denmark' => 'Данска',
+ 'country_Dominica' => 'Доминика',
+ 'country_Dominican Republic' => 'Доминиканска Република',
+ 'country_Ecuador' => 'Еквадор',
+ 'country_El Salvador' => 'Ел Салвадор',
+ 'country_Equatorial Guinea' => 'Екваторска Гвинеја',
+ 'country_Ethiopia' => 'Етиопија',
+ 'country_Eritrea' => 'Еритреја',
+ 'country_Estonia' => 'Естонија',
+ 'country_Faroe Islands' => 'Фарски Острови',
+ 'country_Falkland Islands (Malvinas)' => 'Фалкландски Острови (Малвини)',
+ 'country_South Georgia and the South Sandwich Islands' => 'Јужна Грузија и Јужно Сендвички острови',
+ 'country_Fiji' => 'Фиџи',
+ 'country_Finland' => 'Финска',
+ 'country_Åland Islands' => 'Оланд Острови',
+ 'country_France' => 'Франција',
+ 'country_French Guiana' => 'Француска Гвајана',
+ 'country_French Polynesia' => 'Француска Полинезија',
+ 'country_French Southern Territories' => 'Јужно Француски Територии',
+ 'country_Djibouti' => 'Џибути',
+ 'country_Gabon' => 'Габон',
+ 'country_Georgia' => 'Грузија',
+ 'country_Gambia' => 'Гамбија',
+ 'country_Palestinian Territory, Occupied' => 'Палестинска Територија, Окупирана',
+ 'country_Germany' => 'Германија',
+ 'country_Ghana' => 'Гана',
+ 'country_Gibraltar' => 'Гибралтар',
+ 'country_Kiribati' => 'Кирибати',
+ 'country_Greece' => 'Грција',
+ 'country_Greenland' => 'Гренланд',
+ 'country_Grenada' => 'Гренада',
+ 'country_Guadeloupe' => 'Гвадалупе',
+ 'country_Guam' => 'Гуам',
+ 'country_Guatemala' => 'Гватемала',
+ 'country_Guinea' => 'Гвинеа',
+ 'country_Guyana' => 'Гвајана',
+ 'country_Haiti' => 'Хаити',
+ 'country_Heard Island and McDonald Islands' => 'Херд Остров и Мекдоналд Острови',
+ 'country_Holy See (Vatican City State)' => 'Свето Море (Ватикан)',
+ 'country_Honduras' => 'Хондурас',
+ 'country_Hong Kong' => 'Хонг Конг',
+ 'country_Hungary' => 'Унгарија',
+ 'country_Iceland' => 'Исланд',
+ 'country_India' => 'Индија',
+ 'country_Indonesia' => 'Индонезија',
+ 'country_Iran, Islamic Republic of' => 'Исламска Република Иран',
+ 'country_Iraq' => 'Ирак',
+ 'country_Ireland' => 'Ирска',
+ 'country_Israel' => 'Израел',
+ 'country_Italy' => 'Италија',
+ 'country_Côte d\'Ivoire' => 'Брегот на Слоновата Коска',
+ 'country_Jamaica' => 'Јамајка',
+ 'country_Japan' => 'Јапонија',
+ 'country_Kazakhstan' => 'Казахстан',
+ 'country_Jordan' => 'Јордан',
+ 'country_Kenya' => 'Кенија',
+ 'country_Korea, Democratic People\'s Republic of' => 'Демокатска Народна Република Кореа',
+ 'country_Korea, Republic of' => 'Република Кореа',
+ 'country_Kuwait' => 'Кувајт',
+ 'country_Kyrgyzstan' => 'Киргистан',
+ 'country_Lao People\'s Democratic Republic' => 'Народна Деморатска Република Лао',
+ 'country_Lebanon' => 'Либан',
+ 'country_Lesotho' => 'Лесото',
+ 'country_Latvia' => 'Латвија',
+ 'country_Liberia' => 'Либерија',
+ 'country_Libya' => 'Либија',
+ 'country_Liechtenstein' => 'Лихтенштајн',
+ 'country_Lithuania' => 'Литванија',
+ 'country_Luxembourg' => 'Луксембург',
+ 'country_Macao' => 'Макао',
+ 'country_Madagascar' => 'Мадагаскар',
+ 'country_Malawi' => 'Малави',
+ 'country_Malaysia' => 'Малазија',
+ 'country_Maldives' => 'Малдиви',
+ 'country_Mali' => 'Мали',
+ 'country_Malta' => 'Малта',
+ 'country_Martinique' => 'Мартиник',
+ 'country_Mauritania' => 'Мавританија',
+ 'country_Mauritius' => 'Маурициус',
+ 'country_Mexico' => 'Мексико',
+ 'country_Monaco' => 'Монако',
+ 'country_Mongolia' => 'Монголија',
+ 'country_Moldova, Republic of' => 'Република Молдавија',
+ 'country_Montenegro' => 'Црна Гора',
+ 'country_Montserrat' => 'Монсерат',
+ 'country_Morocco' => 'Мароко',
+ 'country_Mozambique' => 'Мозамбик',
+ 'country_Oman' => 'Оман',
+ 'country_Namibia' => 'Намибија',
+ 'country_Nauru' => 'Науру',
+ 'country_Nepal' => 'Непал',
+ 'country_Netherlands' => 'Холандија',
+ 'country_Curaçao' => 'Курасао',
+ 'country_Aruba' => 'Аруба',
+ 'country_Sint Maarten (Dutch part)' => 'Синт Мартен (Холандски дел)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Бонаер, Синт Еустатиус и Саба',
+ 'country_New Caledonia' => 'Нова Каледонија',
+ 'country_Vanuatu' => 'Вануату',
+ 'country_New Zealand' => 'Нов Зеланд',
+ 'country_Nicaragua' => 'Никарагва',
+ 'country_Niger' => 'Нигер',
+ 'country_Nigeria' => 'Нигерија',
+ 'country_Niue' => 'Ниуе',
+ 'country_Norfolk Island' => 'Островот Норфолк',
+ 'country_Norway' => 'Норвешка',
+ 'country_Northern Mariana Islands' => 'Северни Маријански Острови',
+ 'country_United States Minor Outlying Islands' => 'Мали далечни острови во САД',
+ 'country_Micronesia, Federated States of' => 'Федерална Држава Микронезија',
+ 'country_Marshall Islands' => 'Маршалски Острови',
+ 'country_Palau' => 'Палау',
+ 'country_Pakistan' => 'Пакистан',
+ 'country_Panama' => 'Панама',
+ 'country_Papua New Guinea' => 'Папуа Нова Гвинеја',
+ 'country_Paraguay' => 'Парагвај',
+ 'country_Peru' => 'Перу',
+ 'country_Philippines' => 'Филипини',
+ 'country_Pitcairn' => 'Питкерн',
+ 'country_Poland' => 'Полска',
+ 'country_Portugal' => 'Португалија',
+ 'country_Guinea-Bissau' => 'Гвинеја-Бисао',
+ 'country_Timor-Leste' => 'Тимор-Лесте',
+ 'country_Puerto Rico' => 'Порторико',
+ 'country_Qatar' => 'Катар',
+ 'country_Réunion' => 'Реунион',
+ 'country_Romania' => 'Романија',
+ 'country_Russian Federation' => 'Руска Федерација',
+ 'country_Rwanda' => 'Руанда',
+ 'country_Saint Barthélemy' => 'Свери Бартелеми',
+ 'country_Saint Helena, Ascension and Tristan da Cunha' => 'Света Елена, Асенсион и Тристан да Кунха',
+ 'country_Saint Kitts and Nevis' => 'Сент Китс и Невис',
+ 'country_Anguilla' => 'Ангвила',
+ 'country_Saint Lucia' => 'Сент Луција',
+ 'country_Saint Martin (French part)' => 'Сент Мартин (Француски дел)',
+ 'country_Saint Pierre and Miquelon' => 'Сент Пиер и Микелон',
+ 'country_Saint Vincent and the Grenadines' => 'Сент Винсент и Гренадините',
+ 'country_San Marino' => 'Сан Марино',
+ 'country_Sao Tome and Principe' => 'Сао Томе и Принсипе',
+ 'country_Saudi Arabia' => 'Саудиска Арабија',
+ 'country_Senegal' => 'Сенегал',
+ 'country_Serbia' => 'Србија',
+ 'country_Seychelles' => 'Сејшели',
+ 'country_Sierra Leone' => 'Сиера Леоне',
+ 'country_Singapore' => 'Сингапур',
+ 'country_Slovakia' => 'Словачка',
+ 'country_Viet Nam' => 'Виетнам',
+ 'country_Slovenia' => 'Словенија',
+ 'country_Somalia' => 'Сомалија',
+ 'country_South Africa' => 'Јужна Африка',
+ 'country_Zimbabwe' => 'Зимбабве',
+ 'country_Spain' => 'Шпанија',
+ 'country_South Sudan' => 'Јужен Судан',
+ 'country_Sudan' => 'Судан',
+ 'country_Western Sahara' => 'Западна Сахара',
+ 'country_Suriname' => 'Суринам',
+ 'country_Svalbard and Jan Mayen' => 'Свалбард и Јан Мајен',
+ 'country_Swaziland' => 'Свазиленд',
+ 'country_Sweden' => 'Шведска',
+ 'country_Switzerland' => 'Швајцарија',
+ 'country_Syrian Arab Republic' => 'Сириска Арапска Република',
+ 'country_Tajikistan' => 'Таџикистан',
+ 'country_Thailand' => 'Тајланд',
+ 'country_Togo' => 'Того',
+ 'country_Tokelau' => 'Токелау',
+ 'country_Tonga' => 'Тонга',
+ 'country_Trinidad and Tobago' => 'Тринидад и Тобаго',
+ 'country_United Arab Emirates' => 'Обединети Арапски Емирати',
+ 'country_Tunisia' => 'Тунис',
+ 'country_Turkey' => 'Турција',
+ 'country_Turkmenistan' => 'Туркменистан',
+ 'country_Turks and Caicos Islands' => 'Турк и Каикос Острови',
+ 'country_Tuvalu' => 'Тувалу',
+ 'country_Uganda' => 'Уганда',
+ 'country_Ukraine' => 'Украина',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Поранешна Југословенска Република Македонија',
+ 'country_Egypt' => 'Египет',
+ 'country_United Kingdom' => 'Обединето Кралство',
+ 'country_Guernsey' => 'Гернзи',
+ 'country_Jersey' => 'Џерси',
+ 'country_Isle of Man' => 'Остров на Човекот',
+ 'country_Tanzania, United Republic of' => 'Обединета Република Танзанија',
+ 'country_United States' => 'Соединети Американски Држави',
+ 'country_Virgin Islands, U.S.' => 'Виргински Острови, САД',
+ 'country_Burkina Faso' => 'Буркина Фасо',
+ 'country_Uruguay' => 'Уругвај',
+ 'country_Uzbekistan' => 'Узбекистан',
+ 'country_Venezuela, Bolivarian Republic of' => 'Боливарска Република Венецуела',
+ 'country_Wallis and Futuna' => 'Валис и Футуна',
+ 'country_Samoa' => 'Самоа',
+ 'country_Yemen' => 'Јемен',
+ 'country_Zambia' => 'Замбиа',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Бразилско Португалски',
+ 'lang_Croatian' => 'Хрватски',
+ 'lang_Czech' => 'Чешки',
+ 'lang_Danish' => 'Дански',
+ 'lang_Dutch' => 'Холандски',
+ 'lang_English' => 'Англиски',
+ 'lang_French' => 'Француски',
+ 'lang_French - Canada' => 'Француско-Канадски',
+ 'lang_German' => 'Германски',
+ 'lang_Italian' => 'Италијански',
+ 'lang_Japanese' => 'Јапонски',
+ 'lang_Lithuanian' => 'Литвански',
+ 'lang_Norwegian' => 'Норвешки',
+ 'lang_Polish' => 'Полски',
+ 'lang_Spanish' => 'Шпански',
+ 'lang_Spanish - Spain' => 'Шпански - Шпанија',
+ 'lang_Swedish' => 'Шведски',
+ 'lang_Albanian' => 'Албански',
+ 'lang_Greek' => 'Грчки',
+ 'lang_English - United Kingdom' => 'Англиски - Обединето Кралство',
+ 'lang_Slovenian' => 'Словенски',
+ 'lang_Finnish' => 'Фински',
+ 'lang_Romanian' => 'Романски',
+ 'lang_Turkish - Turkey' => 'Турски - Турција',
+ 'lang_Portuguese - Brazilian' => 'Португалски - Бразилски',
+ 'lang_Portuguese - Portugal' => 'Португалски - Португалија',
+ 'lang_Thai' => 'Тајландски',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Сметководство и право',
+ 'industry_Advertising' => 'Рекламирање',
+ 'industry_Aerospace' => 'Воздухопловство',
+ 'industry_Agriculture' => 'Агрокултура',
+ 'industry_Automotive' => 'Автомобилство',
+ 'industry_Banking & Finance' => 'Банкарство и финансии',
+ 'industry_Biotechnology' => 'Биотехнологија',
+ 'industry_Broadcasting' => 'Радиодифузија',
+ 'industry_Business Services' => 'Бизнис услуги ',
+ 'industry_Commodities & Chemicals' => 'Стоки и хемикалии',
+ 'industry_Communications' => 'Комуникации',
+ 'industry_Computers & Hightech' => 'Компјутери и висока технологија',
+ 'industry_Defense' => 'Одбрана',
+ 'industry_Energy' => 'Енергија',
+ 'industry_Entertainment' => 'Забава',
+ 'industry_Government' => 'Влада',
+ 'industry_Healthcare & Life Sciences' => 'Здравствени и животни науки',
+ 'industry_Insurance' => 'Осигурување',
+ 'industry_Manufacturing' => 'Производство',
+ 'industry_Marketing' => 'Маркетинг',
+ 'industry_Media' => 'Медиа',
+ 'industry_Nonprofit & Higher Ed' => 'Непрофитни организации и Високо образование',
+ 'industry_Pharmaceuticals' => 'Фармацевтски производи',
+ 'industry_Professional Services & Consulting' => 'Професионални услуги и советување',
+ 'industry_Real Estate' => 'Недвижен имот',
+ 'industry_Retail & Wholesale' => 'Малопродажба и трговија на големо',
+ 'industry_Sports' => 'Спорт',
+ 'industry_Transportation' => 'Транспорт',
+ 'industry_Travel & Luxury' => 'Патување и луксуз',
+ 'industry_Other' => 'Друго',
+ 'industry_Photography' =>'Фотографија',
+
+ 'view_client_portal' => 'Прегледај портал на клиент',
+ 'view_portal' => 'Прегледај портал',
+ 'vendor_contacts' => 'Контакти на продавач',
+ 'all' => 'Сите',
+ 'selected' => 'Избрано',
+ 'category' => 'Категорија',
+ 'categories' => 'Категории',
+ 'new_expense_category' => 'Категорија на нов трошок',
+ 'edit_category' => 'Измени категорија',
+ 'archive_expense_category' => 'Архивирај категорија',
+ 'expense_categories' => 'Категории на трошоци',
+ 'list_expense_categories' => 'Листа на категории на трошоци',
+ 'updated_expense_category' => 'Успешно ажурирана категорија на трошоци',
+ 'created_expense_category' => 'Успешно креирана категорија на трошоци',
+ 'archived_expense_category' => 'Успешно архивирана категорија на трошоци',
+ 'archived_expense_categories' => 'Успешно архивирани :count категории на трошоци',
+ 'restore_expense_category' => 'Поврати категорија на трошоци',
+ 'restored_expense_category' => 'Успешно повратена категорија на трошоци',
+ 'apply_taxes' => 'Поднеси даноци',
+ 'min_to_max_users' => ':min до :max корисници',
+ 'max_users_reached' => 'Достигнат е максималниот број на корисници',
+ 'buy_now_buttons' => 'Купи сега копчиња',
+ 'landing_page' => 'Целна страница',
+ 'payment_type' => 'Тип на плаќање',
+ 'form' => 'Форма',
+ 'link' => 'Линк',
+ 'fields' => 'Полиња',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Забелешка: клиентот и фактурата се креирани иако трансакцијата не е завршена',
+ 'buy_now_buttons_disabled' => 'Оваа функција бара продуктот да е креиран и порталот за плаќање конфигуриран.',
+ 'enable_buy_now_buttons_help' => 'Овозможи поддршка за купи сега копчиња',
+ 'changes_take_effect_immediately' => 'Забелешка: промените се ефективни веднаш',
+ 'wepay_account_description' => 'Платен портал за Invoice Ninja',
+ 'payment_error_code' => 'Имаше грешка при поцесирањето на плаќањето [:code]. Ве молиме обидете се повторно подоцна.',
+ 'standard_fees_apply' => 'Провизија 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 за успешна наплата.',
+ 'limit_import_rows' => 'Податоците мораат да бидат внесени во серии од :count редови или помалку',
+ 'error_title' => 'Нешто тргна наопаку',
+ 'error_contact_text' => 'Ако ви треба помош, ве молиме пратете е-пошта на :mailaddress',
+ 'no_undo' => 'Предупредување: ова не може да се врати назад.',
+ 'no_contact_selected' => 'Ве молиме изберете контакт',
+ 'no_client_selected' => 'Ве молиме изберете клиент',
+
+ 'gateway_config_error' => 'Би помогнало ако поставите нови лозинки или да генерирате нови API клучеви.',
+ 'payment_type_on_file' => ':type на датотека',
+ 'invoice_for_client' => 'Фактура :invoice за :client',
+ 'intent_not_found' => 'Извинете, не сум сигурен што ме прашувате.',
+ 'intent_not_supported' => 'Извинете, не можам да го направам тоа.',
+ 'client_not_found' => 'Не можев да го најдам клиентот.',
+ 'not_allowed' => 'Извинете, ги немате потребните дозволи',
+ 'bot_emailed_invoice' => 'Вашата фактура е испратена.',
+ 'bot_emailed_notify_viewed' => 'Ќе ви испратам е-пошта кога ќе биде видено.',
+ 'bot_emailed_notify_paid' => 'Ќе ви испратам е-пошта кога ќе биде платено.',
+ 'add_product_to_invoice' => 'Додај 1 :product',
+ 'not_authorized' => 'Не сте овластени',
+ 'bot_get_email' => 'Здраво! (wave)
Ви благодарам што го пробавте Invoice Ninja ботот.
Треба да креирате бесплатна сметка за да го користите овој бот.
Испратете ми ја адресата на вашата е-пошта со која е поврзана сметката за да започнеме.',
+ 'bot_get_code' => 'Благодарам! Ви испратив е-пошта со вашиот сигурносен код.',
+ 'bot_welcome' => 'Тоа е тоа, вашата сметка е овластена.
',
+ 'email_not_found' => 'Не можев да најдам слободна сметка за :email',
+ 'invalid_code' => 'Кодот не е точен',
+ 'security_code_email_subject' => 'Сигурносен код за Invoice Ninja ботот',
+ 'security_code_email_line1' => 'Ова е вашиот Invoice Ninja Bot сигурносен код.',
+ 'security_code_email_line2' => 'Забелешка: ќе истече за 10 минути.',
+ 'bot_help_message' => 'Моментално поддржувам:
Креирај\ажурирај/испрати по е-пошта фактура
• Листа на продукти
На пример:
Испрати фактура на Боб за 2 карти, постави датум на достасување до следниот четврток и направи попуст од 10 проценти ',
+ 'list_products' => 'Листа на продукти',
+
+ 'include_item_taxes_inline' => 'Вклучи ги даноците на ставките во линијата вкупно ',
+ 'created_quotes' => 'Успешно креирани :count понуди',
+ 'limited_gateways' => 'Забелешка: поддржуваме еден платен портал со кредитна картичка по компанија.',
+
+ 'warning' => 'Предупредување',
+ 'self-update' => 'Ажурирај',
+ 'update_invoiceninja_title' => 'Ажурирај Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Пред за започнете со ажурирање на Invoice Ninja креирајте бекап на вашата датабаза и датотеки.',
+ 'update_invoiceninja_available' => 'Достапна е нова верзија на Invoice Ninja.',
+ 'update_invoiceninja_unavailable' => 'Нема достапна нова верзија на Invoice Ninja.',
+ 'update_invoiceninja_instructions' => 'Ве молиме инсталирајте ја новата верзија :version со кликнување на Ажурирај сега копчето подоле. Потоа ќе бидете пренасочени кон контролната табла.',
+ 'update_invoiceninja_update_start' => 'Ажурирај сега',
+ 'update_invoiceninja_download_start' => 'Превземена :version',
+ 'create_new' => 'Креирај сега',
+
+ 'toggle_navigation' => 'Toggle навигација',
+ 'toggle_history' => 'Toggle историја',
+ 'unassigned' => 'Неназначено',
+ 'task' => 'Задача',
+ 'contact_name' => 'Име на контакт',
+ 'city_state_postal' => 'Град/Држава/Поштенски број',
+ 'custom_field' => 'Прилагодено поле',
+ 'account_fields' => 'Поле за компанија',
+ 'facebook_and_twitter' => 'Facebook и Twitter',
+ 'facebook_and_twitter_help' => 'Следете ги нашите новости за да помогнете во поддршката на нашиот проект',
+ 'reseller_text' => 'Забелешка: лиценцата за брендирање е наменета за лична употреба, ве молиме пратете ни е-пошта на :email ако би сакале да ја препродадете апликацијата.',
+ 'unnamed_client' => 'Неименуван клиент',
+
+ 'day' => 'Ден',
+ 'week' => 'Недела',
+ 'month' => 'Месец',
+ 'inactive_logout' => 'Бевте одјавени поради неактивност',
+ 'reports' => 'Извештаи',
+ 'total_profit' => 'Вкупен профит',
+ 'total_expenses' => 'Вкупно трошоци',
+ 'quote_to' => 'Понуди на',
+
+ // Limits
+ 'limit' => 'Ограничување',
+ 'min_limit' => 'Мин: :min',
+ 'max_limit' => 'Макс: :max',
+ 'no_limit' => 'Нема ограничувања',
+ 'set_limits' => 'Постави :gateway_type граници',
+ 'enable_min' => 'Овозможи мин.',
+ 'enable_max' => 'Овозможи макс.',
+ 'min' => 'Мин',
+ 'max' => 'Макс',
+ 'limits_not_met' => 'Фактурата не ги достигнува ограничувањата за тој тип на плаќање.',
+
+ 'date_range' => 'Опсег на датуми',
+ 'raw' => 'Необработено',
+ 'raw_html' => 'Необработен HTML',
+ 'update' => 'Ажурирај',
+ 'invoice_fields_help' => 'Повлечи ги и спушти ги полињата за менување на нивниот распоред и локација',
+ 'new_category' => 'Нова категорија',
+ 'restore_product' => 'Поврати продукт',
+ 'blank' => 'Бланко',
+ 'invoice_save_error' => 'Имаше грешка при зачувување на вашата фактура',
+ 'enable_recurring' => 'Овозможи рекурирање',
+ 'disable_recurring' => 'Оневозможи рекурирање',
+ 'text' => 'Текст',
+ 'expense_will_create' => 'ќе биде креиран трошок',
+ 'expenses_will_create' => 'ќе бидат креирани трошоци',
+ 'created_expenses' => 'Успешно креирани :count трошоци ',
+
+ 'translate_app' => 'Помогнете ни да ги подобриме нашите преводи со :link',
+ 'expense_category' => 'Категорија на трошок',
+
+ 'go_ninja_pro' => 'Приклучи се на Ninja Про!',
+ 'go_enterprise' => 'Приклучи се на пакетот за претпријатија!',
+ 'upgrade_for_features' => 'Надгради за повеќе функции',
+ 'pay_annually_discount' => 'Плати годишно за 10 месеци + 2 бесплатно',
+ 'pro_upgrade_title' => 'Ninja Про',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com ',
+ 'pro_upgrade_feature2' => 'Прилагоди го секој аспект од твојата фактура!',
+ 'enterprise_upgrade_feature1' => 'Постави дозвола за повеќе корисници.',
+ 'enterprise_upgrade_feature2' => 'Прикачи датотеки од 3то лице на фактури и трошоци',
+ 'much_more' => 'Многу повеќе!',
+ 'all_pro_fetaures' => 'Плус сите Про функции!',
+
+ 'currency_symbol' => 'Симбол',
+ 'currency_code' => 'Код',
+
+ 'buy_license' => 'Купи лиценца',
+ 'apply_license' => 'Примени лиценца',
+ 'submit' => 'Поднеси',
+ 'white_label_license_key' => 'Клуч на лиценца',
+ 'invalid_white_label_license' => 'Лиценцата за брендирање е невалидна',
+ 'created_by' => 'Креирано по :name',
+ 'modules' => 'Модули',
+ 'financial_year_start' => 'Прв месец од годината',
+ 'authentication' => 'Автентикација',
+ 'checkbox' => 'Поле за избор',
+ 'invoice_signature' => 'Потпис',
+ 'show_accept_invoice_terms' => 'Поле за избор на услови за фактура',
+ 'show_accept_invoice_terms_help' => 'Побарај од клиентот да потврди дека ги прифаќа условите на фактурата.',
+ 'show_accept_quote_terms' => 'Поле за избор на услови за понуда',
+ 'show_accept_quote_terms_help' => 'Побарај од клиентот да потврди дека ги прифаќа условите на понудата.',
+ 'require_invoice_signature' => 'Потпис на фактура',
+ 'require_invoice_signature_help' => 'Побарај од клиентот да обезбеди потпис.',
+ 'require_quote_signature' => 'Потпис на понуда',
+ 'require_quote_signature_help' => 'Побарај од клиентот да обезбеди потпис.',
+ 'i_agree' => 'Се согласувам со условите',
+ 'sign_here' => 'Ве молиме потпишете тука: ',
+ 'authorization' => 'Овластување',
+ 'signed' => 'Потпишано',
+
+ // BlueVine
+ 'bluevine_promo' => 'Добијте флексибилни бизнис линии на кредит и факторинг на фактури преку BlueVine.',
+ 'bluevine_modal_label' => 'Регистрирај се со BlueVine',
+ 'bluevine_modal_text' => ' Брзо финансирање на вашиот бизнис. Без документи.
+ - Флексибилни бизнис линии на кредит и факторинг на фактури
',
+ 'bluevine_create_account' => 'Креирај сметка',
+ 'quote_types' => 'Добиј понуда за',
+ 'invoice_factoring' => 'Факторинг на фактура',
+ 'line_of_credit' => 'Линија на кредит',
+ 'fico_score' => 'Вашиот FICO резултат',
+ 'business_inception' => 'Датум на започнување бизнис',
+ 'average_bank_balance' => 'Просечна состојба на билансна сметка',
+ 'annual_revenue' => 'Годишен приход',
+ 'desired_credit_limit_factoring' => 'Посакувано ограничување на факторинг на фактура ',
+ 'desired_credit_limit_loc' => 'Посакувано ограничување на линија на кредит',
+ 'desired_credit_limit' => 'Посакувано ограничување на кредит',
+ 'bluevine_credit_line_type_required' => 'Мора да изберете баред едно',
+ 'bluevine_field_required' => 'Ова поле е задолжително',
+ 'bluevine_unexpected_error' => 'Се случи неочекувана грешка.',
+ 'bluevine_no_conditional_offer' => 'Потребни се повеќе информации пред да добиете понуда. Кликнете продолжи подоле.',
+ 'bluevine_invoice_factoring' => 'Факторинг на фактура',
+ 'bluevine_conditional_offer' => 'Доверлива понуда',
+ 'bluevine_credit_line_amount' => 'Кредитна линија',
+ 'bluevine_advance_rate' => 'Стапка на аванс',
+ 'bluevine_weekly_discount_rate' => 'Неделна стапка на попуст',
+ 'bluevine_minimum_fee_rate' => 'Минимална провизија',
+ 'bluevine_line_of_credit' => 'Линија на кредит',
+ 'bluevine_interest_rate' => 'Каматна стапка',
+ 'bluevine_weekly_draw_rate' => 'Неделна стапка на повлекување',
+ 'bluevine_continue' => 'Продолжи на BlueVine',
+ 'bluevine_completed' => 'Регистрирањето на BlueVine е завршено',
+
+ 'vendor_name' => 'Продавач',
+ 'entity_state' => 'Состојба',
+ 'client_created_at' => 'Дата на креирање',
+ 'postmark_error' => 'Имаше проблем со праќање на е-пошта преку Postmark :link',
+ 'project' => 'Проект',
+ 'projects' => 'Проекти',
+ 'new_project' => 'Нов проект',
+ 'edit_project' => 'Измени проект',
+ 'archive_project' => 'Архивирај проект',
+ 'list_projects' => 'Листа на проекти',
+ 'updated_project' => 'Успешно ажурирање на проект',
+ 'created_project' => 'Успешно креирање на проект',
+ 'archived_project' => 'Успешно архивирање на проект ',
+ 'archived_projects' => 'Успешно архивирани :count проекти',
+ 'restore_project' => 'Поврати проект',
+ 'restored_project' => 'Успешно повратување на проект',
+ 'delete_project' => 'Избриши проект',
+ 'deleted_project' => 'Успешно бришење на проект',
+ 'deleted_projects' => 'Успешно избришани :count проекти',
+ 'delete_expense_category' => 'Избриши категорија',
+ 'deleted_expense_category' => 'Успешно бришење на категорија',
+ 'delete_product' => 'Избриши продукт',
+ 'deleted_product' => 'Успешно бришење на продукт',
+ 'deleted_products' => 'Успешно бришење на :count продукти',
+ 'restored_product' => 'Успешно повратување на продукт',
+ 'update_credit' => 'Ажурирај кредит',
+ 'updated_credit' => 'Успешно ажурирање на кредит',
+ 'edit_credit' => 'Измени кредит',
+ 'live_preview_help' => 'Прикажи го прегледот во живо на PDF на страната од фактурата.
Оневозможи ја оваа опција за да се подобри перформансот при измена на фактури.',
+ 'force_pdfjs_help' => 'Смени го вградениот PTF читач во :chrome_link и :firefox_link. Овозможи го ова ако вашиот пребарувач автоматски ја презема PDF датотеката.',
+ 'force_pdfjs' => 'Спречи преземање',
+ 'redirect_url' => 'Пренасочи URL',
+ 'redirect_url_help' => 'Опционално одреди URL да пренасочува по внесување на плаќањето.',
+ 'save_draft' => 'Зачувај нацрт',
+ 'refunded_credit_payment' => 'Рефундирај кредитно плаќање',
+ 'keyboard_shortcuts' => 'Кратенки на тастатура',
+ 'toggle_menu' => 'Toggle мени',
+ 'new_...' => 'Ново ...',
+ 'list_...' => 'Листирај ...',
+ 'created_at' => 'Датум на креирање',
+ 'contact_us' => 'Контактирајте не\'',
+ 'user_guide' => 'Упатство за корисникот',
+ 'promo_message' => 'Надгради пред :expires и добиј :amount попуст на првата година од користење на нашиот Про пакет и пакетот за претпријатие.',
+ 'discount_message' => ':amount попуст истекува :expires',
+ 'mark_paid' => 'Обележи платено',
+ 'marked_sent_invoice' => 'Успешно обележување на пратена фактура',
+ 'marked_sent_invoices' => 'Успешно обележување на пратени фактури',
+ 'invoice_name' => 'Фактура',
+ 'product_will_create' => 'продуктот ќе биде креиран',
+ 'contact_us_response' => 'Ви благодариме за вашата порака! Ќе се обидеме да ви одговориме што е можно поскоро.',
+ 'last_7_days' => 'Последни 7 дена',
+ 'last_30_days' => 'Последни 30 дена',
+ 'this_month' => 'Овој месец',
+ 'last_month' => 'Претходен месец',
+ 'last_year' => 'Претходната година',
+ 'custom_range' => 'Прилагоден опсег',
+ 'url' => 'URL',
+ 'debug' => 'Дебагирај',
+ 'https' => 'HTTPS',
+ 'require' => 'Барање',
+ 'license_expiring' => 'Забелешка: Вашата лиценца ќе истече за :count дена, :link за да ја обновите.',
+ 'security_confirmation' => 'Вашата адреса на е-пошта е потврдена.',
+ 'white_label_expired' => 'Вашата лиценца за брендирање истече, ве молиме земете го во предвид нејзиното обновувае за да го поддржите нашиот проект.',
+ 'renew_license' => 'Обнови лиценца',
+ 'iphone_app_message' => 'Размислете за преземање на нашето :link',
+ 'iphone_app' => 'iPhone апликација',
+ 'android_app' => 'Android апликација',
+ 'logged_in' => 'Најавено',
+ 'switch_to_primary' => 'Сменете се на вашата примарна компанија (:name) за да управувате со вашиот план.',
+ 'inclusive' => 'Инклузивно',
+ 'exclusive' => 'Ексклузивно',
+ 'postal_city_state' => 'Поштенски број/Град/Држава',
+ 'phantomjs_help' => 'Во определени случаеви апликацијата користи :link_phantom за да ја генерира PDF датотеката, инсталирајте :link_docs за да генерирате локално.',
+ 'phantomjs_local' => 'Користи локално PhantomJS',
+ 'client_number' => 'Број на клиент',
+ 'client_number_help' => 'Одреди префикс или користи прилагодена шема за динамично поставувањец на бројот на клиентот.',
+ 'next_client_number' => 'Следниот број на клиент е :number.',
+ 'generated_numbers' => 'Генерирани броеви',
+ 'notes_reminder1' => 'Прв потсетник',
+ 'notes_reminder2' => 'Втор потсетник',
+ 'notes_reminder3' => 'Трет потсетник',
+ 'bcc_email' => 'BCC е-пошта',
+ 'tax_quote' => 'Даночна понуда',
+ 'tax_invoice' => 'Даночна фактура',
+ 'emailed_invoices' => 'Успешно пратени по е-пошта фактури',
+ 'emailed_quotes' => 'Успешно пратени по е-пошта понуди',
+ 'website_url' => 'URL на вебсајт',
+ 'domain' => 'Домен',
+ 'domain_help' => 'Користено во порталот на клиентот и при праќање на е-пошта.',
+ 'domain_help_website' => 'Користено при праќање на е-пошта.',
+ 'preview' => 'Преглед',
+ 'import_invoices' => 'Внеси фактури',
+ 'new_report' => 'Нов извештај',
+ 'edit_report' => 'Измени извештај',
+ 'columns' => 'Колони',
+ 'filters' => 'Филтери',
+ 'sort_by' => 'Сортирај по',
+ 'draft' => 'Нацрт',
+ 'unpaid' => 'Неплатено',
+ 'aging' => 'Застарено',
+ 'age' => 'Возраст',
+ 'days' => 'Денови',
+ 'age_group_0' => '0 - 30 дена',
+ 'age_group_30' => '30 - 60 дена',
+ 'age_group_60' => '60 - 90 дена',
+ 'age_group_90' => '90 - 120 дена',
+ 'age_group_120' => '120+ дена',
+ 'invoice_details' => 'Детали за фактура',
+ 'qty' => 'Количина',
+ 'profit_and_loss' => 'Профит и загуба',
+ 'revenue' => 'Приходи',
+ 'profit' => 'Профит',
+ 'group_when_sorted' => 'Групно сортирање',
+ 'group_dates_by' => 'Датуми на група по',
+ 'year' => 'Година',
+ 'view_statement' => 'Преглед на исказ',
+ 'statement' => 'Исказ',
+ 'statement_date' => 'Датум на исказ',
+ 'mark_active' => 'Обележи активно',
+ 'send_automatically' => 'Прати автоматски',
+ 'initial_email' => 'Почетна е-пошта',
+ 'invoice_not_emailed' => 'Оваа фактура не беше испратена по е-пошта',
+ 'quote_not_emailed' => 'Оваа понуда не беше испратена по е-пошта',
+ 'sent_by' => 'Испратено до :user',
+ 'recipients' => 'Приматели',
+ 'save_as_default' => 'Зачувај како стандард',
+ 'template' => 'Шаблон',
+ 'start_of_week_help' => 'Користено по датуми селектори',
+ 'financial_year_start_help' => 'Користено по опсег на датуми селектори',
+ 'reports_help' => 'Shift + клик за распределување по повеќе колони, Ctrl + клик за чистење на групирањето.',
+ 'this_year' => 'Оваа година',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Креирај. Прати. Биди платен.',
+ 'login_or_existing' => 'Или најави се со поврзана сметка.',
+ 'sign_up_now' => 'Регистрирај се сега',
+ 'not_a_member_yet' => 'Се уште не си член?',
+ 'login_create_an_account' => 'Креирај сметка!',
+ 'client_login' => 'Најава на клиент',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Фактури од:',
+ 'email_alias_message' => 'Бараме од секоја компанијада има уникатна адреса на е-пошта.
Земете го во предвид користењето на псевдоним. На пр. email+label@example.com',
+ 'full_name' => 'Целосно име',
+ 'month_year' => 'МЕСЕЦ/ГОДИНА',
+ 'valid_thru' => 'Важи до',
+
+ 'product_fields' => 'Полиња на продукт',
+ 'custom_product_fields_help' => 'Додади поле при креирање на продукт или фактура и прикажи ја ознаката и вредноста на PDF.',
+ 'freq_two_months' => 'Два месеци',
+ 'freq_yearly' => 'Годишно',
+ 'profile' => 'Профил',
+ 'payment_type_help' => 'Постави стандарден тип на рачно плаќање ',
+ 'industry_Construction' => 'Конструкција',
+ 'your_statement' => 'Вашиот исказ',
+ 'statement_issued_to' => 'Исказ назначен кон',
+ 'statement_to' => 'Исказ до',
+ 'customize_options' => 'Прилагоди опции',
+ 'created_payment_term' => 'Успешно креирање на услов за плаќање',
+ 'updated_payment_term' => 'Успешно ажурирање на услов на плаќање',
+ 'archived_payment_term' => 'Успешно архивирање на услов за плаќање',
+ 'resend_invite' => 'Повторно испраќање на покана',
+ 'credit_created_by' => 'Кредит креиран со плаќање :transaction_reference',
+ 'created_payment_and_credit' => 'Успешно креирано плаќање и кредит',
+ 'created_payment_and_credit_emailed_client' => 'Успешно креирано плаќање и кредит, и праќање по е-пошта на клиент',
+ 'create_project' => 'Креирај проект',
+ 'create_vendor' => 'Креирај продавач',
+ 'create_expense_category' => 'Креирај категорија',
+ 'pro_plan_reports' => ':link за овозможување на извештаи преку приклучување на Про планот',
+ 'mark_ready' => 'Одбележи подготвено',
+
+ 'limits' => 'Ограничувања',
+ 'fees' => 'Надоместоци',
+ 'fee' => 'Надоместок',
+ 'set_limits_fees' => 'Постави :gateway_type Ограничувања/Такси',
+ 'fees_tax_help' => 'Овозможи даноци во ставката за да поставите стапки на данок на надоместок.',
+ 'fees_sample' => 'Надоместокот за :amount фактура би бил :total.',
+ 'discount_sample' => 'Попустот за :amount фактура би бил :total.',
+ 'no_fees' => 'Без надоместоци',
+ 'gateway_fees_disclaimer' => 'Предупредување: не сите држави/портали за плаќање дозволуваат додавање на такси, ве молиме прегледајте ги локалните закони/услови на услугата.',
+ 'percent' => 'Процент',
+ 'location' => 'Локација',
+ 'line_item' => 'Ставка на линија',
+ 'surcharge' => 'Доплата',
+ 'location_first_surcharge' => 'Овозможено - прва доплата',
+ 'location_second_surcharge' => 'Овозможено - втора доплата',
+ 'location_line_item' => 'Овозможено - ставка на линија',
+ 'online_payment_surcharge' => 'Даплата за онлајн плаќање',
+ 'gateway_fees' => 'Такси на платниот портал',
+ 'fees_disabled' => 'Надоместоците се оневозможени',
+ 'gateway_fees_help' => 'Автоматски додај доплата/попуст на онлајн плаќање.',
+ 'gateway' => 'Платен портал',
+ 'gateway_fee_change_warning' => 'Ако има неплатени фактури со надоместоци тие треба да бидат ажурирани рачно.',
+ 'fees_surcharge_help' => 'Прилагоди доплата :link.',
+ 'label_and_taxes' => 'Дозвола и даноци',
+ 'billable' => 'Наплатливо',
+ 'logo_warning_too_large' => 'Датотеката со слика е преголема.',
+ 'logo_warning_fileinfo' => 'Предупредување: За поддршка на GIF треба да се одобри екстензија на fileInfo PHP.',
+ 'logo_warning_invalid' => 'Имаше проблем во читањето на датотеката со слика, ве молиме обидете се со друг формат.',
+
+ 'error_refresh_page' => 'Имаше грешка, ве молиме освежете ја страната и обидете се повторно.',
+ 'data' => 'Податоци',
+ 'imported_settings' => 'Успешно внесени поставки',
+ 'reset_counter' => 'Ресетирај бројач',
+ 'next_reset' => 'Следно ресетирање',
+ 'reset_counter_help' => 'Автоматски ресетирај ги бројачите на фактури и понуди.',
+ 'auto_bill_failed' => 'Автоматската наплата на фактура :invoice_number е неуспешно',
+ 'online_payment_discount' => 'Попуст за онлајн плаќање',
+ 'created_new_company' => 'Успешно креирана нова компанија',
+ 'fees_disabled_for_gateway' => 'Таксите се оневозможени за овој платен портал.',
+ 'logout_and_delete' => 'Одјава/Избриши сметка',
+ 'tax_rate_type_help' => 'Инклузивните стапки на данок ја приспособуваат цената на предметот кога се избрани.
Само ексклузивните стапки на данок можат да се користат како стандардни.',
+ 'invoice_footer_help' => 'Користи $pageNumber и $pageCount за прикажување на информациите на страната. ',
+ 'credit_note' => 'Забелешка за кредит',
+ 'credit_issued_to' => 'Кредит издаден на',
+ 'credit_to' => 'Кредит на',
+ 'your_credit' => 'Вашиот кредит',
+ 'credit_number' => 'Број на кредит',
+ 'create_credit_note' => 'Креирај забелешка на кредит',
+ 'menu' => 'Мени',
+ 'error_incorrect_gateway_ids' => 'Грешка: Табелата на платниот портал има погрешни идентификации.',
+ 'purge_data' => 'Прочисти податоци',
+ 'delete_data' => 'Избриши податоци',
+ 'purge_data_help' => 'Трајно избриши ги сите податоци но зачувај ја сметката и поставките.',
+ 'cancel_account_help' => 'Трајно избриши ја сметката заедно со сите податоци и поставки.',
+ 'purge_successful' => 'Успешно прочистени податоци за компаанија',
+ 'forbidden' => 'Забрането',
+ 'purge_data_message' => 'Предупредување: Ова трајно ќе ги избрише вашите податоци, нема враќање назад.',
+ 'contact_phone' => 'Телефон за контакт',
+ 'contact_email' => 'Е-пошта за контакт',
+ 'reply_to_email' => 'Одговори-на е-пошта',
+ 'reply_to_email_help' => 'Одреди адреса на одговор за е-пошта на клиенти.',
+ 'bcc_email_help' => 'Приватно вклучи ја оваа адреса со е-пошта на клиент.',
+ 'import_complete' => 'Вашето внесување беше успешно завршено.',
+ 'confirm_account_to_import' => 'Ве молиме потврдете ја вашата сметка за да внесете информации.',
+ 'import_started' => 'Вашето внесување започна, ќе ви испратиме е-пошта штом заврши.',
+ 'listening' => 'Слушање...',
+ 'microphone_help' => 'Кажи "нова фактура за [client]" или "покажи ми ги архивираните плаќања на [client]"',
+ 'voice_commands' => 'Гласовни наредби',
+ 'sample_commands' => 'Пример наредби',
+ 'voice_commands_feedback' => 'Активно работиме на тоа да ја подобриме оваа функција, ако има наредба која би сакале да ја поддржиме ве молиме пратете ни е-пошта на :email.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Нарачка на пари',
+ 'archived_products' => 'Успешно архивирање на :count продукти',
+ 'recommend_on' => 'Препорачуваме овозможување на ова подесување.',
+ 'recommend_off' => 'Препорачуваме оневозможување на ова подесување.',
+ 'notes_auto_billed' => 'Автоматски наплатено',
+ 'surcharge_label' => 'Назнака за доплата',
+ 'contact_fields' => 'Полиња за контакт',
+ 'custom_contact_fields_help' => 'Додади поле при креирање на контакт и опционално прикажување на назнаката и вредност на PDF датотеката.',
+ 'datatable_info' => 'Покажување :start до :end на :total записи',
+ 'credit_total' => 'Вкупно кредит',
+ 'mark_billable' => 'Означи наплатливо',
+ 'billed' => 'Наплатено',
+ 'company_variables' => 'Променливи на компанијата',
+ 'client_variables' => 'Променливи на клиентот',
+ 'invoice_variables' => 'Променливи на фактурата',
+ 'navigation_variables' => 'Променливи на навигацијата',
+ 'custom_variables' => 'Прилагодливи променливи',
+ 'invalid_file' => 'Невалиден тип на датотека',
+ 'add_documents_to_invoice' => 'Додај документи на фактура',
+ 'mark_expense_paid' => 'Означи платено',
+ 'white_label_license_error' => 'Неуспешна валидација на лиценца, проверете storage/logs/laravel-error.log за повеќе детали. ',
+ 'plan_price' => 'Планирај цена',
+ 'wrong_confirmation' => 'Неточен код за потврда',
+ 'oauth_taken' => 'Оваа сметка е веќе регистрирана',
+ 'emailed_payment' => 'Успешно пратено плаќање по е-пошта',
+ 'email_payment' => 'Прати плаќање по е-пошта',
+ 'invoiceplane_import' => 'Искористи :link за преместување на твоите податоци од InvoicePlane.',
+ 'duplicate_expense_warning' => 'Предупредување: Овој :link може да е дупликат.',
+ 'expense_link' => 'трошок',
+ 'resume_task' => 'Поврати задача',
+ 'resumed_task' => 'Успешно повратување на задача',
+ 'quote_design' => 'Дизајн на понуда',
+ 'default_design' => 'Стандарден дизајн',
+ 'custom_design1' => 'Прилагоден дизајн 1',
+ 'custom_design2' => 'Прилагоден дизајн 2',
+ 'custom_design3' => 'Прилагоден дизајн 3',
+ 'empty' => 'Празно',
+ 'load_design' => 'Вчитај дизајн',
+ 'accepted_card_logos' => 'Прифатени логоа на картичка',
+ 'phantomjs_local_and_cloud' => 'Користењето на локален PhantomJS ве враќа на phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Следи ги плаќањата користејќи :link',
+ 'start_date_required' => 'Датумот на почеток е задолжителен',
+ 'application_settings' => 'Поставки на апликација',
+ 'database_connection' => 'Конекција на датабаза',
+ 'driver' => 'Драјвер',
+ 'host' => 'Хост',
+ 'database' => 'Датабаза',
+ 'test_connection' => 'Тестирај конекција',
+ 'from_name' => 'Од име',
+ 'from_address' => 'Од адреса',
+ 'port' => 'Порта',
+ 'encryption' => 'Енкрипција',
+ 'mailgun_domain' => 'Mailgun домен',
+ 'mailgun_private_key' => 'Mailgun приватен клуч',
+ 'send_test_email' => 'Прати тест е-пошта',
+ 'select_label' => 'Избери назнака',
+ 'label' => 'Назнака',
+ 'service' => 'Услуга',
+ 'update_payment_details' => 'Ажурирај детали на плаќање',
+ 'updated_payment_details' => 'Успешно ажурирани детали на плаќање',
+ 'update_credit_card' => 'Ажурирај кредитна картичка',
+ 'recurring_expenses' => 'Рекурентни трошоци',
+ 'recurring_expense' => 'Рекурентен трошок',
+ 'new_recurring_expense' => 'Нов рекурентен трошок',
+ 'edit_recurring_expense' => 'Измени рекурентен трошок',
+ 'archive_recurring_expense' => 'Архивирај рекурентен трошок',
+ 'list_recurring_expense' => 'Листа на рекурентни трошоци',
+ 'updated_recurring_expense' => 'Успешно ажурирање на рекурентен трошок',
+ 'created_recurring_expense' => 'Успешно креирање на рекурентен трошок',
+ 'archived_recurring_expense' => 'Успешно архивирање на рекурентен трошок',
+ 'archived_recurring_expense' => 'Успешно архивирање на рекурентен трошок',
+ 'restore_recurring_expense' => 'Поврати рекурентен трошок',
+ 'restored_recurring_expense' => 'Успешно повраќање на рекурентен трошок ',
+ 'delete_recurring_expense' => 'Избриши рекурентен трошок',
+ 'deleted_recurring_expense' => 'Успешно бришење на проект',
+ 'deleted_recurring_expense' => 'Успешно бришење на проект',
+ 'view_recurring_expense' => 'Прегледај рекурентен трошок',
+ 'taxes_and_fees' => 'Даноци и надоместоци',
+ 'import_failed' => 'Внесувањето е неуспешно',
+ 'recurring_prefix' => 'Рекурентен префикс',
+ 'options' => 'Опции',
+ 'credit_number_help' => 'Одреди префикс или користи прилагодена шема за денамично одредување на бројот на кредит за негативни фактури.',
+ 'next_credit_number' => 'Следниот број на кредит е :number',
+ 'padding_help' => 'Бројот на нули кои се вметнати во бројот.',
+ 'import_warning_invalid_date' => 'Предупредување: Форматот на датумот е невалиден.',
+ 'product_notes' => 'Забелешки за продуктот',
+ 'app_version' => 'Верзија на апликација',
+ 'ofx_version' => 'Верзија на OFX',
+ 'gateway_help_23' => ':link за да ги добиете вашите Stripe API клучеви.',
+ 'error_app_key_set_to_default' => 'Грешка: APP_KEY е поставен на стандардна вредност, за да го ажурирате направете бекап на вашата датабаза и потоа вклучете php artisan ninja:update-key
',
+ 'charge_late_fee' => 'Наплати провизија за задоцнување',
+ 'late_fee_amount' => 'Износ на провизија за задоцнување',
+ 'late_fee_percent' => 'Процент на провизија за задоцнување',
+ 'late_fee_added' => 'Провизија за задоцнување додадена на :date',
+ 'download_invoice' => 'Преземи фактура',
+ 'download_quote' => 'Преземи понуда',
+ 'invoices_are_attached' => 'Вашите фактури во PDF се прикачени',
+ 'downloaded_invoice' => 'Ќе биде испратена е-пошта со PDF фактура',
+ 'downloaded_quote' => 'Ќе биде испратена е-пошта со PDF понуда',
+ 'downloaded_invoices' => 'Ќе биде испратена е-пошта со PDF фактури',
+ 'downloaded_quotes' => 'Ќе биде испратена е-пошта со PDF понуди',
+ 'clone_expense' => 'Клонирај трошок',
+ 'default_documents' => 'Стандардни документи',
+ 'send_email_to_client' => 'Испрати е-пошта на клиент',
+ 'refund_subject' => 'Рефундирањето е процесирано',
+ 'refund_body' => 'Процесирано ви е рефундирање од :amount за фактура :invoice_number.',
+
+ 'currency_us_dollar' => 'Американски Долар',
+ 'currency_british_pound' => 'Британска Фунта',
+ 'currency_euro' => 'Евро',
+ 'currency_south_african_rand' => 'Јужноафрикански Ранд',
+ 'currency_danish_krone' => 'Данскa Круна',
+ 'currency_israeli_shekel' => 'Израелски Шекел',
+ 'currency_swedish_krona' => 'Шведска Круна',
+ 'currency_kenyan_shilling' => 'Кенијски Шилинг',
+ 'currency_canadian_dollar' => 'Канадски Долар',
+ 'currency_philippine_peso' => 'Филипински Пезос',
+ 'currency_indian_rupee' => 'Индијски Рупи',
+ 'currency_australian_dollar' => 'Австралиски Долар',
+ 'currency_singapore_dollar' => 'Сингапурски Долар',
+ 'currency_norske_kroner' => 'Норвешка Круна',
+ 'currency_new_zealand_dollar' => 'Новозеландски Долар',
+ 'currency_vietnamese_dong' => 'Виетнамски Донг',
+ 'currency_swiss_franc' => 'Швајцарски Франк',
+ 'currency_guatemalan_quetzal' => 'Гватемалски Кецал',
+ 'currency_malaysian_ringgit' => 'Малезиски Рингит',
+ 'currency_brazilian_real' => 'Бразилски Реал',
+ 'currency_thai_baht' => 'Тајландски Бах',
+ 'currency_nigerian_naira' => 'Нигериска Наира',
+ 'currency_argentine_peso' => 'Аргентински Пезос',
+ 'currency_bangladeshi_taka' => 'Бангладешка Така',
+ 'currency_united_arab_emirates_dirham' => 'Арапски Дирхам',
+ 'currency_hong_kong_dollar' => 'Хонг Конг Долар',
+ 'currency_indonesian_rupiah' => 'Индонезиски Рупии',
+ 'currency_mexican_peso' => 'Мексикански Пезос',
+ 'currency_egyptian_pound' => 'Египетска Фунта',
+ 'currency_colombian_peso' => 'Колумбиски Пезос',
+ 'currency_west_african_franc' => 'Западноафрикански Франк',
+ 'currency_chinese_renminbi' => 'Кинески Ренминби',
+ 'currency_rwandan_franc' => 'Руандски Франк',
+ 'currency_tanzanian_shilling' => 'Танзаниски Шилинг',
+ 'currency_netherlands_antillean_guilder' => 'Холандски Антилеански Гилдер',
+ 'currency_trinidad_and_tobago_dollar' => 'Тринидад и Тобаго Долар',
+ 'currency_east_caribbean_dollar' => 'Источно Карибски Долар',
+ 'currency_ghanaian_cedi' => 'Гански Цеди',
+ 'currency_bulgarian_lev' => 'Бугарски Лев',
+ 'currency_aruban_florin' => 'Арубиски Флорин',
+ 'currency_turkish_lira' => 'Турска Лира',
+ 'currency_romanian_new_leu' => 'Романски Нов Леу',
+ 'currency_croatian_kuna' => 'Хрватска Куна',
+ 'currency_saudi_riyal' => 'Саудиски Ријал',
+ 'currency_japanese_yen' => 'Јапонски Јен',
+ 'currency_maldivian_rufiyaa' => 'Малдивиска Рифлија',
+ 'currency_costa_rican_colon' => 'Костарикански Колон',
+ 'currency_pakistani_rupee' => 'Пакистански Рупии',
+ 'currency_polish_zloty' => 'Полска Злота',
+ 'currency_sri_lankan_rupee' => 'Шри Ланкански Рупии',
+ 'currency_czech_koruna' => 'Чешка Корона',
+ 'currency_uruguayan_peso' => 'Уругвајски Пезос ',
+ 'currency_namibian_dollar' => 'Намибиски Долар',
+ 'currency_tunisian_dinar' => 'Туниски Динар',
+ 'currency_russian_ruble' => 'Руска Рубла',
+ 'currency_mozambican_metical' => 'Мозамбиски Метикал',
+ 'currency_omani_rial' => 'Омански Риал',
+ 'currency_ukrainian_hryvnia' => 'Украинска Хривнија',
+ 'currency_macanese_pataca' => 'Маканска Патака',
+ 'currency_taiwan_new_dollar' => 'Тајвански Нов Долар',
+ 'currency_dominican_peso' => 'Доминикански Пезос',
+ 'currency_chilean_peso' => 'Чилеански Пезос',
+ 'currency_icelandic_krona' => 'Исландска Круна',
+ 'currency_papua_new_guinean_kina' => 'Гвинејска Кина',
+ 'currency_jordanian_dinar' => 'Јордански Динар',
+ 'currency_myanmar_kyat' => 'Мјанмарски Киат',
+ 'currency_peruvian_sol' => 'Перуански Сол',
+ 'currency_botswana_pula' => 'Боцванска Пула',
+ 'currency_hungarian_forint' => 'Унгарски Форинт',
+ 'currency_ugandan_shilling' => 'Угандски Шилинг',
+ 'currency_barbadian_dollar' => 'Барбадоски Долар',
+ 'currency_brunei_dollar' => 'Брунејски Долар',
+ 'currency_georgian_lari' => 'Грузијски Лари',
+ 'currency_qatari_riyal' => 'Катарска Риал',
+ 'currency_honduran_lempira' => 'Хондурска Лемпира',
+ 'currency_surinamese_dollar' => 'Суринамски Долар',
+ 'currency_bahraini_dinar' => 'Бахреински Динар',
+
+ 'review_app_help' => 'Се надеваме дека уживате во користењето на апликацијата.
Ако го земете во предвид :link многу би ни значело!',
+ 'writing_a_review' => 'пишување рецензија',
+
+ 'use_english_version' => 'Погрижете се да користите англиска верзија на датотеките.
Ние ги користиме заглавијата на колоните за да се вклопат со полињата.',
+ 'tax1' => 'Прв данок',
+ 'tax2' => 'Втор Данок',
+ 'fee_help' => 'Такса за платниот портал е износот кој се наплаќа за пристап до финансиската мрежа која се бави со процесирање на онлан плаќања.',
+ 'format_export' => 'Формат за експортирање',
+ 'custom1' => 'Прво прилагодено',
+ 'custom2' => 'Второ прилагодено',
+ 'contact_first_name' => 'Контакт Име',
+ 'contact_last_name' => 'Контакт Презиме',
+ 'contact_custom1' => 'Контактирај прво прилагодено',
+ 'contact_custom2' => 'Контактирај второ прилагодено',
+ 'currency' => ' Валута',
+ 'ofx_help' => 'За решавање на проблеми проверете за коментари на :ofxhome_link и тестирајте на :ofxget_link.',
+ 'comments' => 'коментари',
+
+ 'item_product' => 'Предмет на продукт',
+ 'item_notes' => 'Забелешки за предмет',
+ 'item_cost' => 'Цена на предмет',
+ 'item_quantity' => 'Количина на предмет',
+ 'item_tax_rate' => 'Даночна стапка на предмет',
+ 'item_tax_name' => 'Име на данок на предмет',
+ 'item_tax1' => 'Данок на предмет1',
+ 'item_tax2' => 'Данок на предмет2',
+
+ 'delete_company' => 'Избриши компанија',
+ 'delete_company_help' => 'Трајно избриши компанија заедно со сите податоци и поставки.',
+ 'delete_company_message' => 'Предупредување: Ова трајно ќе ја избрише вашата компанија, нема враќање назад.',
+
+ 'applied_discount' => 'Купонот е применет, цената на планот е намалена за :discount%.',
+ 'applied_free_year' => 'Купонот е применет, вашата сметка е надградена на Про за една година.',
+
+ 'contact_us_help' => 'Ако пријавувате грешка ве молиме вклучете било какви податоци од storage/logs/laravel-error.log',
+ 'include_errors' => 'Вкличи грешки',
+ 'include_errors_help' => 'Вклучи :link од storage/logs/laravel-error.log',
+ 'recent_errors' => 'неодамнешни грешки',
+ 'customer' => 'Клиент',
+ 'customers' => 'Клиенти',
+ 'created_customer' => 'Успешно креиран клиент',
+ 'created_customers' => 'Успешно креирани :count клиенти',
+
+ 'purge_details' => 'Податоците на вашата компанија (:account) се успешно прочистени.',
+ 'deleted_company' => 'Успешно избришана компанија',
+ 'deleted_account' => 'Успешно откажана сметка',
+ 'deleted_company_details' => 'Вашата компанија (:account) е успешно избришана.',
+ 'deleted_account_details' => 'Вашата сметка (:account) е успешно избришана.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Прифати Allpay',
+ 'enable_sofort' => 'Прифати трансфери од Европски банки',
+ 'stripe_alipay_help' => 'Овие платни портали исто така мораат да бидат активирани во :link.',
+ 'calendar' => 'Календар',
+ 'pro_plan_calendar' => ':link за овозможување на календар преку приклучување на Про планот',
+
+ 'what_are_you_working_on' => 'На што работите?',
+ 'time_tracker' => 'Следач на време',
+ 'refresh' => 'Освежи',
+ 'filter_sort' => 'Филтрирај/Сортирај',
+ 'no_description' => 'Нема опис',
+ 'time_tracker_login' => 'Најава на следач на време',
+ 'save_or_discard' => 'Зачувај ги или отфрли ги промените',
+ 'discard_changes' => 'Отфрли промени',
+ 'tasks_not_enabled' => 'Задачите не се овозможени.',
+ 'started_task' => 'Успешно започната задача',
+ 'create_client' => 'Креирај клиент',
+
+ 'download_desktop_app' => 'Преземете ја десктоп апликацијата',
+ 'download_iphone_app' => 'Преземете ја iPhone апликацијата',
+ 'download_android_app' => 'Преземете ја Android апликацијата',
+ 'time_tracker_mobile_help' => 'Двоен допир на задачата за означување',
+ 'stopped' => 'Престана',
+ 'ascending' => 'Растечки',
+ 'descending' => 'Опаѓачки',
+ 'sort_field' => 'Сортирај по',
+ 'sort_direction' => 'Насока',
+ 'discard' => 'Откажи',
+ 'time_am' => 'Предпладне',
+ 'time_pm' => 'Попладне',
+ 'time_mins' => 'мин',
+ 'time_hr' => 'ч',
+ 'time_hrs' => 'ч',
+ 'clear' => 'Исчисти',
+ 'warn_payment_gateway' => 'Забелешка: прифаќањето на онлајн плаќања бара платен портал, :link за да додадете.',
+ 'task_rate' => 'Стапка на задача',
+ 'task_rate_help' => 'Постави стандардна стапка за фактурирани задачи.',
+ 'past_due' => 'Минато достасување',
+ 'document' => 'Документ',
+ 'invoice_or_expense' => 'Фактура/Трошок',
+ 'invoice_pdfs' => 'PDF фактури',
+ 'enable_sepa' => 'Прифати SEPA',
+ 'enable_bitcoin' => 'Прифати Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => 'Преку обезбедување на вашиот IBAN и потврдување на ова плаќање, вие ја авторизирате :company и Stripe, нашиот сервис провајдер за плаќања, да праќа инструкции на вашата банка за да ја дебитира вашата сметка и вашата банка да ја дебитира вашата сметка според тие инструкции. Имате право на поврат на средствата од вашата банка според правилата и условите на вашиот договор со банката. Повратот мора да се бара во рок од 8 недели, почнувајќи од датумот на кој вашата дебитна сметка била задолжена.',
+ 'recover_license' => 'Поврати лиценца',
+ 'purchase' => 'Купи',
+ 'recover' => 'Поврати',
+ 'apply' => 'Примени',
+ 'recover_white_label_header' => 'Поврати лиценца за брендирање',
+ 'apply_white_label_header' => 'Примени лиценца за брендирање',
+ 'videos' => 'Видеа',
+ 'video' => 'Видео',
+ 'return_to_invoice' => 'Врати на фактура',
+ 'gateway_help_13' => 'За да користите ITN оставете го полето за PDT Клуч празно.',
+ 'partial_due_date' => 'Делумен датум на достасување',
+ 'task_fields' => 'Полиња за задачи',
+ 'product_fields_help' => 'Повлечете ги и спуштете ги полињата за го измените нивниот распоред ',
+ 'custom_value1' => 'Подесена вредност',
+ 'custom_value2' => 'Подесена вредност',
+ 'enable_two_factor' => 'Автентификација преку два фактори',
+ 'enable_two_factor_help' => 'Користете го вашиот телефон за да го потврдите вашиот идентитет при најава',
+ 'two_factor_setup' => 'Поставување преку два фактори',
+ 'two_factor_setup_help' => 'Скенирај го бар кодот со :link компатибилна апликација.',
+ 'one_time_password' => 'Еднократна лозинка',
+ 'set_phone_for_two_factor' => 'Поставете го вашиот телефонски број како бекап за вклучување.',
+ 'enabled_two_factor' => 'Успешно овозможена автентификација преку два фактори',
+ 'add_product' => 'Додај продукт',
+ 'email_will_be_sent_on' => 'Забелешка: е-поштата ќе биде испратена на :date',
+ 'invoice_product' => 'Фактурирај продукт',
+ 'self_host_login' => 'Самохостирана најава',
+ 'set_self_hoat_url' => 'Самохостиран URL',
+ 'local_storage_required' => 'Грешка: локалното складирање не е достапно.',
+ 'your_password_reset_link' => 'Вашиот линк за ресетирање на лозинка',
+ 'subdomain_taken' => 'Поддоменот е веќе во употреба',
+ 'client_login' => 'Најава на клиент',
+ 'converted_amount' => 'Конвертиран износ',
+ 'default' => 'Стандард',
+ 'shipping_address' => 'Адреса за достава',
+ 'bllling_address' => 'Адреса за наплата',
+ 'billing_address1' => 'Улица за наплата',
+ 'billing_address2' => 'Апартман за наплата',
+ 'billing_city' => 'Град за наплата',
+ 'billing_state' => 'Држава/Провинција за наплата',
+ 'billing_postal_code' => 'Поштенски број за наплата',
+ 'billing_country' => 'Држава за наплата',
+ 'shipping_address1' => 'Улица за достава',
+ 'shipping_address2' => 'Апартман за достава',
+ 'shipping_city' => 'Град за достава',
+ 'shipping_state' => 'Држава/Провинција за достава',
+ 'shipping_postal_code' => 'Поштенски број за достава',
+ 'shipping_country' => 'Држава за достава',
+ 'classify' => 'Класифицирај',
+ 'show_shipping_address_help' => 'Побарај од клиентот да ја обезбеди адресата на достава',
+ 'ship_to_billing_address' => 'Достави на адреса за наплата',
+ 'delivery_note' => 'Забелешка за испорака',
+ 'show_tasks_in_portal' => 'Прикажи задачи на порталот на клиентот',
+ 'cancel_schedule' => 'Откажи закажување',
+ 'scheduled_report' => 'Закажан извештај',
+ 'scheduled_report_help' => 'Прати го извештајот :report по е-пошта како :format на :email',
+ 'created_scheduled_report' => 'Успешно закажан извештај',
+ 'deleted_scheduled_report' => 'Успешно откажување на закажаниот извештај',
+ 'scheduled_report_attached' => 'Вашиот закажан :type извештај е прикачен.',
+ 'scheduled_report_error' => 'Неуспешно креирање на закажан извештај',
+ 'invalid_one_time_password' => 'Невалидна еднократна лозинка',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Прифати Apple Pay и Pay with Google',
+ 'requires_subdomain' => 'Овој начин на плаќање бара :link.',
+ 'subdomain_is_set' => 'поставен е поддомен',
+ 'verification_file' => 'Датотека на верификација',
+ 'verification_file_missing' => 'Оваа датотека на верификација е потребна за да се прифатат плаќањата.',
+ 'apple_pay_domain' => 'Користи :domain
како домен во :link.',
+ 'apple_pay_not_supported' => 'Извинете, Apple/Google Pay не е поддржан од вашиот пребарувач',
+ 'optional_payment_methods' => 'Опционални методи на плаќање',
+ 'add_subscription' => 'Додај претплата',
+ 'target_url' => 'Цел',
+ 'target_url_help' => 'Кога ќе се случи избраниот настан, апликацијата ќе го објавува ентитетот на целниот URL. ',
+ 'event' => 'Настан',
+ 'subscription_event_1' => 'Креиран клиент',
+ 'subscription_event_2' => 'Креирана фактура',
+ 'subscription_event_3' => 'Креирана понуда',
+ 'subscription_event_4' => 'Креирано плаќање',
+ 'subscription_event_5' => 'Креиран продавач',
+ 'subscription_event_6' => 'Ажурирана понуда',
+ 'subscription_event_7' => 'Избришана понуда',
+ 'subscription_event_8' => 'Ажурирана фактура',
+ 'subscription_event_9' => 'Избришана фактура',
+ 'subscription_event_10' => 'Ажуриран клиент',
+ 'subscription_event_11' => 'Избришан клиент',
+ 'subscription_event_12' => 'Избришано плаќање',
+ 'subscription_event_13' => 'Ажуриран продавач',
+ 'subscription_event_14' => 'Избришан продавач',
+ 'subscription_event_15' => 'Креиран трошок',
+ 'subscription_event_16' => 'Ажуриран трошок',
+ 'subscription_event_17' => 'Избришан трошок',
+ 'subscription_event_18' => 'Креирана задача',
+ 'subscription_event_19' => 'Ажурирана задача',
+ 'subscription_event_20' => 'Избришана задача',
+ 'subscription_event_21' => 'Одобрена понуда',
+ 'subscriptions' => 'Претплати',
+ 'updated_subscription' => 'Успешно ажурирана претплата',
+ 'created_subscription' => 'Успешно креирана претплата',
+ 'edit_subscription' => 'Измени претплата',
+ 'archive_subscription' => 'Архивирај претплата',
+ 'archived_subscription' => 'Успешно архивирана претплата',
+ 'project_error_multiple_clients' => 'Проектите не можат да припаѓаат на различни клиенти',
+ 'invoice_project' => 'Фактурирај проект',
+ 'module_recurring_invoice' => 'Рекурентни фактури',
+ 'module_credit' => 'Кредити',
+ 'module_quote' => 'Понуди и предлози',
+ 'module_task' => 'Задачи и проекти',
+ 'module_expense' => 'Трошоци и продавачи',
+ 'reminders' => 'Потсетници',
+ 'send_client_reminders' => 'Прати потсетници по е-пошта',
+ 'can_view_tasks' => 'Задачите се видливи на порталот',
+ 'is_not_sent_reminders' => 'Потсетниците не се пратени',
+ 'promotion_footer' => 'Вашата промоција ќе истече набрзо, :link за да ја надградите сега.',
+ 'unable_to_delete_primary' => 'Забелешка: за да ја избришете оваа компанија прво избришете ги сите поврзани компании/',
+ 'please_register' => 'Ве молиме регистрирајте ја вашата сметка.',
+ 'processing_request' => 'Барањето се процесира',
+ 'mcrypt_warning' => 'Предупредување: Mcrypt е застарен, покрени :command за да се ажурира шифрата.',
+ 'edit_times' => 'Измени Време',
+ 'inclusive_taxes_help' => 'Вклучи даноци во цената ',
+ 'inclusive_taxes_notice' => 'Ова подесување не може да се измени откако е креирана фактура.',
+ 'inclusive_taxes_warning' => 'Предупредување: постоечките фактури ќе мораат да бидат повторно зачувани',
+ 'copy_shipping' => 'Копирај достава',
+ 'copy_billing' => 'Копирај наплата',
+ 'quote_has_expired' => 'Понудата е истечена, ве молиме контактирајте го трговецот. ',
+ 'empty_table_footer' => 'Прикажување на 0 до 0 од 0 записи',
+ 'do_not_trust' => 'Не го памти овој уред',
+ 'trust_for_30_days' => 'Доверба 30 дена',
+ 'trust_forever' => 'Доверба засекогаш',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Подготвено за да се направи',
+ 'in_progress' => 'Во тек',
+ 'add_status' => 'Додај статус',
+ 'archive_status' => 'Архивирај статус',
+ 'new_status' => 'Нов статус',
+ 'convert_products' => 'Конвертирај продукти',
+ 'convert_products_help' => 'Автоматски конвертирај ги цените на продуктите по валутите на клиентите',
+ 'improve_client_portal_link' => 'Постави поддомен за да се скрати линкот на порталот на клиентот.',
+ 'budgeted_hours' => 'Буџетирани часови',
+ 'progress' => 'Напредок',
+ 'view_project' => 'Прегледај проект',
+ 'summary' => 'Резиме',
+ 'endless_reminder' => 'Бескраен потсетник',
+ 'signature_on_invoice_help' => 'Додај го претстојниот код за да се прикаже потписот на клиентот на PDF документот.',
+ 'signature_on_pdf' => 'Прикажи на PDF',
+ 'signature_on_pdf_help' => 'Прикажи го потписот на клиентот на PDF фактура/понуда.',
+ 'expired_white_label' => 'Лиценцата за брендирање истече',
+ 'return_to_login' => 'Врати се на најава',
+ 'convert_products_tip' => 'Забелешка: додај :link со име :name за да се види девизниот курс.',
+ 'amount_greater_than_balance' => 'Износот е поголем од балансот на фактурата, со останатиот износ ќе биде креиран кредит.',
+ 'custom_fields_tip' => 'Користи Label|Option1,Option2
за да се прикаже избраното поле.',
+ 'client_information' => 'Информации за клиентот',
+ 'updated_client_details' => 'Успешно ажурирани детали на клиентот',
+ 'auto' => 'Автоматски',
+ 'tax_amount' => 'Износ на данок',
+ 'tax_paid' => 'Платен данок',
+ 'none' => 'Нема',
+ 'proposal_message_button' => 'За да го видите вашиот предлог за :amount, кликнете на копчето подоле.',
+ 'proposal' => 'Предлог',
+ 'proposals' => 'Предлози',
+ 'list_proposals' => 'Листа на предлози',
+ 'new_proposal' => 'Нов предлог',
+ 'edit_proposal' => 'Измени предлог',
+ 'archive_proposal' => 'Архивирај предлог',
+ 'delete_proposal' => 'Избриши предлог',
+ 'created_proposal' => 'Успешно креиран предлог',
+ 'updated_proposal' => 'Успешно ажуриран предлог',
+ 'archived_proposal' => 'Успешно архивиран предлог',
+ 'deleted_proposal' => 'Успешно архивиран предлог',
+ 'archived_proposals' => 'Успешно архивирани :count предлози',
+ 'deleted_proposals' => 'Успешно архивирани :count предлози',
+ 'restored_proposal' => 'Успешно повратен предлог',
+ 'restore_proposal' => 'Поврати предлог',
+ 'snippet' => 'Фрагмент',
+ 'snippets' => 'Фрагменти',
+ 'proposal_snippet' => 'Фрагмент',
+ 'proposal_snippets' => 'Фрагменти',
+ 'new_proposal_snippet' => 'Нов фрагмент',
+ 'edit_proposal_snippet' => 'Измени фрагмент',
+ 'archive_proposal_snippet' => 'Архивирај фрагмент',
+ 'delete_proposal_snippet' => 'Избриши фрагмент',
+ 'created_proposal_snippet' => 'Успешно креиран фрагмент',
+ 'updated_proposal_snippet' => 'Успешно ажуриран фрагмент',
+ 'archived_proposal_snippet' => 'Успешно архивиран фрагмент',
+ 'deleted_proposal_snippet' => 'Успешно архивиран фрагмент',
+ 'archived_proposal_snippets' => 'Успешно архивирани :count фрагменти',
+ 'deleted_proposal_snippets' => 'Успешно архивирани :count фрагменти',
+ 'restored_proposal_snippet' => 'Успешно повратен фрагмент',
+ 'restore_proposal_snippet' => 'Поврати фрагмент',
+ 'template' => 'Шаблон',
+ 'templates' => 'Шаблони',
+ 'proposal_template' => 'Шаблон',
+ 'proposal_templates' => 'Шаблони',
+ 'new_proposal_template' => 'Нов шаблон',
+ 'edit_proposal_template' => 'Измени шаблон',
+ 'archive_proposal_template' => 'Архивирај шаблон',
+ 'delete_proposal_template' => 'Избриши шаблон',
+ 'created_proposal_template' => 'Успешно креиран шаблон',
+ 'updated_proposal_template' => 'Успешно ажуриран шаблон',
+ 'archived_proposal_template' => 'Успешно архивиран шаблон',
+ 'deleted_proposal_template' => 'Успешно архивиран шаблон',
+ 'archived_proposal_templates' => 'Успешно архивирани :count шаблони',
+ 'deleted_proposal_templates' => 'Успешно архивирани :count шаблони',
+ 'restored_proposal_template' => 'Успешно повратен шаблон',
+ 'restore_proposal_template' => 'Поврати шаблон',
+ 'proposal_category' => 'Категорија',
+ 'proposal_categories' => 'Категории',
+ 'new_proposal_category' => 'Нова категорија',
+ 'edit_proposal_category' => 'Измени категорија',
+ 'archive_proposal_category' => 'Архивирај категорија',
+ 'delete_proposal_category' => 'Избриши категорија',
+ 'created_proposal_category' => 'Успешно креирана категорија',
+ 'updated_proposal_category' => 'Успешно ажурирана категорија',
+ 'archived_proposal_category' => 'Успешно архивирана категорија',
+ 'deleted_proposal_category' => 'Успешно архивирана категорија',
+ 'archived_proposal_categories' => 'Успешно архивирани :count категории',
+ 'deleted_proposal_categories' => 'Успешно архивирани :count категории',
+ 'restored_proposal_category' => 'Успешно повратување на категорија',
+ 'restore_proposal_category' => 'Поврати категорија',
+ 'delete_status' => 'Избриши статус',
+ 'standard' => 'Стандард',
+ 'icon' => 'Икона',
+ 'proposal_not_found' => 'Бараниот предлог не е достапен ',
+ 'create_proposal_category' => 'Креирај категорија',
+ 'clone_proposal_template' => 'Клонирај шаблон',
+ 'proposal_email' => 'Е-пошта за предлог',
+ 'proposal_subject' => 'Нов предлог :number од :account',
+ 'proposal_message' => 'За да го видите вашиот предлог за :amount, кликнете на линкот подоле. ',
+ 'emailed_proposal' => 'Успешно пратен предлог по е-пошта',
+ 'load_template' => 'Вчитај шаблон',
+ 'no_assets' => 'Нема слики, повлечи за прикачување',
+ 'add_image' => 'Додај слика',
+ 'select_image' => 'Избери слика',
+ 'upgrade_to_upload_images' => 'Надградете ја сметката на план за претпријатие за да можете да прикачувате слики',
+ 'delete_image' => 'Избриши слика',
+ 'delete_image_help' => 'Предупредување: со бришење на сликата таа ќе биде отстранета од сите предлози.',
+ 'amount_variable_help' => 'Забелешка: полето за $износ на фактурата ќе го користи полето за делумно/депозит а ако е поставено поинаку, тој ќе го користи балансот на фактурата.',
+ 'taxes_are_included_help' => 'Забелешка: инклузивните даноци се овозможени.',
+ 'taxes_are_not_included_help' => 'Забелешка: инклузивните даноци се оневозможени.',
+ 'change_requires_purge' => 'За да се смени ова подесување треба :link податоците на сметката.',
+ 'purging' => 'прочистување',
+ 'warning_local_refund' => 'Повратот на средства ќе биде запишан во апликацијата но НЕМА да биде испроцесиран преку платниот портал.',
+ 'email_address_changed' => 'Адресата на е-пошта е сменета',
+ 'email_address_changed_message' => 'Адресата на е-пошта на вашата сметка е сменета од :old_email во :new_email.',
+ 'test' => 'Тест',
+ 'beta' => 'Бета',
+ 'gmp_required' => 'Експортирањето во ZIP бара GMP екстензија',
+ 'email_history' => 'Историја на е-пошта',
+ 'loading' => 'Вчитување',
+ 'no_messages_found' => 'Нема пораки',
+ 'processing' => 'Се процесира',
+ 'reactivate' => 'Реактивирај',
+ 'reactivated_email' => 'Адресата на е-пошта е реактивирана',
+ 'emails' => 'Е-пошта',
+ 'opened' => 'Отворено',
+ 'bounced' => 'Отфрлено',
+ 'total_sent' => 'Вкупно пратено',
+ 'total_opened' => 'Вкупно отворено',
+ 'total_bounced' => 'Вкупно отфрлено',
+ 'total_spam' => 'Вкупно спам',
+ 'platforms' => 'Вкупно клиенти',
+ 'email_clients' => 'Прати е-пошта на клиенти',
+ 'mobile' => 'Мобилен',
+ 'desktop' => 'Десктоп',
+ 'webmail' => 'Webmail',
+ 'group' => 'Група',
+ 'subgroup' => 'Подгрупа',
+ 'unset' => 'Отстрани',
+ 'received_new_payment' => 'Добивте ново плаќање!',
+ 'slack_webhook_help' => 'Добивајте известувања за плаќањата преку :link.',
+ 'slack_incoming_webhooks' => 'Slack дојдовни webhooks',
+ 'accept' => 'Прифати',
+ 'accepted_terms' => 'Најновите услови на услугата беа успешно прифатени',
+ 'invalid_url' => 'Невалиден URL',
+ 'workflow_settings' => 'Подесувања на текот на работа',
+ 'auto_email_invoice' => 'Автоматска е-пошта',
+ 'auto_email_invoice_help' => 'Автоматски испрати рекурентни фактури по е-пошта кога ќе бидат креирани.',
+ 'auto_archive_invoice' => 'Автоматско архивирање',
+ 'auto_archive_invoice_help' => 'Автоматски архивирај фактури кога ќе бидат платени.',
+ 'auto_archive_quote' => 'Автоматско архивирање',
+ 'auto_archive_quote_help' => 'Автоматски архивирај фактури кога ќе бидат конвертирани.',
+ 'allow_approve_expired_quote' => 'Овозможи одобрување на истечена понуда',
+ 'allow_approve_expired_quote_help' => 'Овозможи им на клиентите да одобруваат истечени понуди.',
+ 'invoice_workflow' => 'Работен циклус на фактура',
+ 'quote_workflow' => 'Работен циклус на понуда',
+ 'client_must_be_active' => 'Грешка: клиентот мора да биде активен',
+ 'purge_client' => 'Прочисти клиент',
+ 'purged_client' => 'Успешно прочистување на клиент',
+ 'purge_client_warning' => 'Сите поврзани записи (фактури, задачи, трошоци, документи, итн.) исто така ќе бидат избришани.',
+ 'clone_product' => 'Клонирај продукт',
+ 'item_details' => 'Детали на предмет',
+ 'send_item_details_help' => 'Испратете ги деталите за ставката на платниот портал.',
+ 'view_proposal' => 'Прегледај предлог',
+ 'view_in_portal' => 'Прегледај во портал',
+ 'cookie_message' => 'Оваа веб-страница користи колачиња за да ви го обезбеди најдоброто искуство на нашата веб-страница.',
+ 'got_it' => 'Разбрав!',
+ 'vendor_will_create' => 'ќе биде креиран продавач',
+ 'vendors_will_create' => 'ќе бидат креирани продавачи',
+ 'created_vendors' => 'Успешно креирани :count продавач(и)',
+ 'import_vendors' => 'Внеси продавачи',
+ 'company' => 'Компанија',
+ 'client_field' => 'Поле за клиент',
+ 'contact_field' => 'Поле за контакт',
+ 'product_field' => 'Поле за продукт',
+ 'task_field' => 'Поле за задача',
+ 'project_field' => 'Поле за проект',
+ 'expense_field' => 'Поле за трошок',
+ 'vendor_field' => 'Поле за продавач',
+ 'company_field' => 'Поле за компанија',
+ 'invoice_field' => 'Поле за фактура',
+ 'invoice_surcharge' => 'Доплата за фактура',
+ 'custom_task_fields_help' => 'Додај поле при креирање на задача.',
+ 'custom_project_fields_help' => 'Додај поле при креирање на проект.',
+ 'custom_expense_fields_help' => 'Додај поле при креирање на трошок.',
+ 'custom_vendor_fields_help' => 'Додај поле при креирање на продавач.',
+ 'messages' => 'Пораки',
+ 'unpaid_invoice' => 'Неплатена фактура',
+ 'paid_invoice' => 'Платена фактура',
+ 'unapproved_quote' => 'Неодобрена понуда',
+ 'unapproved_proposal' => 'Неодобрен предлог',
+ 'autofills_city_state' => 'Автоматско пополнување на град/држава',
+ 'no_match_found' => 'Не се пронајде совпаѓање',
+ 'password_strength' => 'Сила на лозинка',
+ 'strength_weak' => 'Слаба',
+ 'strength_good' => 'Добра',
+ 'strength_strong' => 'Силна',
+ 'mark' => 'Обележано',
+ 'updated_task_status' => 'Успешно ажуриран статус на задача',
+ 'background_image' => 'Позадинска слика',
+ 'background_image_help' => 'Користете го :link за да управувате со сите слики, ние препорачуваме користење на мала датотека.',
+ 'proposal_editor' => 'уредник на предлог',
+ 'background' => 'Позадина',
+ 'guide' => 'Водич',
+ 'gateway_fee_item' => 'Ставка на провизија на платниот портал.',
+ 'gateway_fee_description' => 'Провизија за надоместок на платниот портал.',
+ 'show_payments' => 'Прикажи плаќања',
+ 'show_aging' => 'Прикажи застарени',
+ 'reference' => 'Референца',
+ 'amount_paid' => 'Платен износ',
+ 'send_notifications_for' => 'Испрати известувања за',
+ 'all_invoices' => 'Сите фактури',
+ 'my_invoices' => 'Мои фактури',
+ 'mobile_refresh_warning' => 'Ако ја користите мобилната апликација можеби ќе треба да направите целосно освежување.',
+ 'enable_proposals_for_background' => 'За да прикажите позадинска слика :link за овозможување на модулот за предлози.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/mk_MK/validation.php b/resources/lang/mk_MK/validation.php
new file mode 100644
index 000000000000..54362129dcda
--- /dev/null
+++ b/resources/lang/mk_MK/validation.php
@@ -0,0 +1,145 @@
+ 'Полето :attribute мора да биде прифатено.',
+ 'active_url' => 'Полето :attribute не е валиден URL.',
+ 'after' => 'Полето :attribute мора да биде датум после :date.',
+ 'after_or_equal' => 'The :attribute must be a date after or equal to :date.',
+ 'alpha' => 'Полето :attribute може да содржи само букви.',
+ 'alpha_dash' => 'Полето :attribute може да содржи само букви, цифри, долна црта и тире.',
+ 'alpha_num' => 'Полето :attribute може да содржи само букви и цифри.',
+ 'array' => 'Полето :attribute мора да биде низа.',
+ 'before' => 'Полето :attribute мора да биде датум пред :date.',
+ 'before_or_equal' => 'The :attribute must be a date before or equal to :date.',
+ 'between' => [
+ 'numeric' => 'Полето :attribute мора да биде помеѓу :min и :max.',
+ 'file' => 'Полето :attribute мора да биде помеѓу :min и :max килобајти.',
+ 'string' => 'Полето :attribute мора да биде помеѓу :min и :max карактери.',
+ 'array' => 'Полето :attribute мора да има помеѓу :min - :max карактери.',
+ ],
+ 'boolean' => 'The :attribute field must be true or false',
+ 'confirmed' => 'Полето :attribute не е потврдено.',
+ 'date' => 'Полето :attribute не е валиден датум.',
+ 'date_format' => 'Полето :attribute не е во формат :format.',
+ 'different' => 'Полињата :attribute и :other треба да се различни.',
+ 'digits' => 'Полето :attribute треба да има :digits цифри.',
+ 'digits_between' => 'Полето :attribute треба да има помеѓу :min и :max цифри.',
+ 'dimensions' => 'The :attribute has invalid image dimensions.',
+ 'distinct' => 'The :attribute field has a duplicate value.',
+ 'email' => 'Полето :attribute не е во валиден формат.',
+ 'exists' => 'Избранато поле :attribute веќе постои.',
+ 'file' => 'The :attribute must be a file.',
+ 'filled' => 'Полето :attribute е задолжително.',
+ 'gt' => [
+ 'numeric' => 'The :attribute must be greater than :value.',
+ 'file' => 'The :attribute must be greater than :value kilobytes.',
+ 'string' => 'The :attribute must be greater than :value characters.',
+ 'array' => 'The :attribute must have more than :value items.',
+ ],
+ 'gte' => [
+ 'numeric' => 'The :attribute must be greater than or equal :value.',
+ 'file' => 'The :attribute must be greater than or equal :value kilobytes.',
+ 'string' => 'The :attribute must be greater than or equal :value characters.',
+ 'array' => 'The :attribute must have :value items or more.',
+ ],
+ 'image' => 'Полето :attribute мора да биде слика.',
+ 'in' => 'Избраното поле :attribute е невалидно.',
+ 'in_array' => 'The :attribute field does not exist in :other.',
+ 'integer' => 'Полето :attribute мора да биде цел број.',
+ 'ip' => 'Полето :attribute мора да биде IP адреса.',
+ 'ipv4' => 'The :attribute must be a valid IPv4 address.',
+ 'ipv6' => 'The :attribute must be a valid IPv6 address.',
+ 'json' => 'The :attribute must be a valid JSON string.',
+ 'lt' => [
+ 'numeric' => 'The :attribute must be less than :value.',
+ 'file' => 'The :attribute must be less than :value kilobytes.',
+ 'string' => 'The :attribute must be less than :value characters.',
+ 'array' => 'The :attribute must have less than :value items.',
+ ],
+ 'lte' => [
+ 'numeric' => 'The :attribute must be less than or equal :value.',
+ 'file' => 'The :attribute must be less than or equal :value kilobytes.',
+ 'string' => 'The :attribute must be less than or equal :value characters.',
+ 'array' => 'The :attribute must not have more than :value items.',
+ ],
+ 'max' => [
+ 'numeric' => 'Полето :attribute мора да биде помало од :max.',
+ 'file' => 'Полето :attribute мора да биде помало од :max килобајти.',
+ 'string' => 'Полето :attribute мора да има помалку од :max карактери.',
+ 'array' => 'Полето :attribute не може да има повеќе од :max карактери.',
+ ],
+ 'mimes' => 'Полето :attribute мора да биде фајл од типот: :values.',
+ 'mimetypes' => 'Полето :attribute мора да биде фајл од типот: :values.',
+ 'min' => [
+ 'numeric' => 'Полето :attribute мора да биде минимум :min.',
+ 'file' => 'Полето :attribute мора да биде минимум :min килобајти.',
+ 'string' => 'Полето :attribute мора да има минимум :min карактери.',
+ 'array' => 'Полето :attribute мора да има минимум :min карактери.',
+ ],
+ 'not_in' => 'Избраното поле :attribute е невалидно.',
+ 'not_regex' => 'The :attribute format is invalid.',
+ 'numeric' => 'Полето :attribute мора да биде број.',
+ 'present' => 'The :attribute field must be present.',
+ 'regex' => 'Полето :attribute е во невалиден формат.',
+ 'required' => 'Полето :attribute е задолжително.',
+ 'required_if' => 'Полето :attribute е задолжително, кога :other е :value.',
+ 'required_unless' => 'The :attribute field is required unless :other is in :values.',
+ 'required_with' => 'Полето :attribute е задолжително, кога е внесено :values.',
+ 'required_with_all' => 'The :attribute field is required when :values is present.',
+ 'required_without' => 'Полето :attribute е задолжително, кога не е внесено :values.',
+ 'required_without_all' => 'The :attribute field is required when none of :values are present.',
+ 'same' => 'Полињата :attribute и :other треба да совпаѓаат.',
+ 'size' => [
+ 'numeric' => 'Полето :attribute мора да биде :size.',
+ 'file' => 'Полето :attribute мора да биде :size килобајти.',
+ 'string' => 'Полето :attribute мора да има :size карактери.',
+ 'array' => 'Полето :attribute мора да има :size карактери.',
+ ],
+ 'string' => 'The :attribute must be a string.',
+ 'timezone' => 'The :attribute must be a valid zone.',
+ 'unique' => 'Полето :attribute веќе постои.',
+ 'uploaded' => 'The :attribute failed to upload.',
+ 'url' => 'Полето :attribute не е во валиден формат.',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ ],
+];
diff --git a/resources/lang/nb_NO/pagination.php b/resources/lang/nb_NO/pagination.php
new file mode 100644
index 000000000000..ef922b207966
--- /dev/null
+++ b/resources/lang/nb_NO/pagination.php
@@ -0,0 +1,20 @@
+ '« Tilbake',
+
+ 'next' => 'Neste »',
+
+);
diff --git a/resources/lang/nb_NO/reminders.php b/resources/lang/nb_NO/reminders.php
new file mode 100644
index 000000000000..bc5787cbf711
--- /dev/null
+++ b/resources/lang/nb_NO/reminders.php
@@ -0,0 +1,24 @@
+ "Passord må være minst seks tegn og samsvare med bekreftelsen.",
+
+ "user" => "Vi kan ikke finne en bruker med den e-postadressen.",
+
+ "token" => "Denne tilbakestillingsnøkkelen er ugyldig.",
+
+ "sent" => "Passord påminnelse sendt!",
+
+);
diff --git a/resources/lang/nb_NO/texts.php b/resources/lang/nb_NO/texts.php
new file mode 100644
index 000000000000..32b6c5baff24
--- /dev/null
+++ b/resources/lang/nb_NO/texts.php
@@ -0,0 +1,2872 @@
+ 'Organisasjon',
+ 'name' => 'Navn',
+ 'website' => 'Nettside',
+ 'work_phone' => 'Telefon (arbeid)',
+ 'address' => 'Adresse',
+ 'address1' => 'Gate',
+ 'address2' => 'Husnummer',
+ 'city' => 'By',
+ 'state' => 'Fylke',
+ 'postal_code' => 'Postnummer',
+ 'country_id' => 'Land',
+ 'contacts' => 'Kontakter',
+ 'first_name' => 'Fornavn',
+ 'last_name' => 'Etternavn',
+ 'phone' => 'Telefon',
+ 'email' => 'E-post',
+ 'additional_info' => 'Tilleggsinfo',
+ 'payment_terms' => 'Betalingsvilkår',
+ 'currency_id' => 'Valuta',
+ 'size_id' => 'Størrelse',
+ 'industry_id' => 'Sektor',
+ 'private_notes' => 'Private notater',
+ 'invoice' => 'Faktura',
+ 'client' => 'Kunde',
+ 'invoice_date' => 'Faktureringsdato',
+ 'due_date' => 'Forfallsdato',
+ 'invoice_number' => 'Fakturanummer',
+ 'invoice_number_short' => 'Faktura #',
+ 'po_number' => 'Ordrenummer',
+ 'po_number_short' => 'Ordre #',
+ 'frequency_id' => 'Frekvens',
+ 'discount' => 'Rabatt',
+ 'taxes' => 'Skatter',
+ 'tax' => 'Skatt',
+ 'item' => 'Beløpstype',
+ 'description' => 'Beskrivelse',
+ 'unit_cost' => 'Stykkpris',
+ 'quantity' => 'Antall',
+ 'line_total' => 'Sum',
+ 'subtotal' => 'Totalbeløp',
+ 'paid_to_date' => 'Betalt til Dato',
+ 'balance_due' => 'Gjenstående',
+ 'invoice_design_id' => 'Design',
+ 'terms' => 'Vilkår',
+ 'your_invoice' => 'Din faktura',
+ 'remove_contact' => 'Fjern kontakt',
+ 'add_contact' => 'Legg til kontakt',
+ 'create_new_client' => 'Opprett ny kunde',
+ 'edit_client_details' => 'Endre kundedetaljer',
+ 'enable' => 'Aktiver',
+ 'learn_more' => 'Lær mer',
+ 'manage_rates' => 'Administrer priser',
+ 'note_to_client' => 'Merknad til kunde',
+ 'invoice_terms' => 'Vilkår for fakturaen',
+ 'save_as_default_terms' => 'Lagre som standard vilkår',
+ 'download_pdf' => 'Last ned PDF',
+ 'pay_now' => 'Betal Nå',
+ 'save_invoice' => 'Lagre Faktura',
+ 'clone_invoice' => 'Kopier Faktura',
+ 'archive_invoice' => 'Arkiver Faktura',
+ 'delete_invoice' => 'Slett Faktura',
+ 'email_invoice' => 'E-postfaktura',
+ 'enter_payment' => 'Oppgi Betaling',
+ 'tax_rates' => 'Skattesatser',
+ 'rate' => 'Sats',
+ 'settings' => 'Innstillinger',
+ 'enable_invoice_tax' => 'Aktiver for å spesifisere en fakturaskatt',
+ 'enable_line_item_tax' => 'Aktiver for å spesifisere produktlinje-skatt',
+ 'dashboard' => 'Skrivebord',
+ 'clients' => 'Kunder',
+ 'invoices' => 'Fakturaer',
+ 'payments' => 'Betalinger',
+ 'credits' => 'Krediter',
+ 'history' => 'Historie',
+ 'search' => 'Søk',
+ 'sign_up' => 'Registrer deg',
+ 'guest' => 'Gjest',
+ 'company_details' => 'Firmainformasjon',
+ 'online_payments' => 'Nettbetalinger',
+ 'notifications' => 'Varsler',
+ 'import_export' => 'Import | Eksport',
+ 'done' => 'Ferdig',
+ 'save' => 'Lagre',
+ 'create' => 'Lag',
+ 'upload' => 'Last opp',
+ 'import' => 'Importer',
+ 'download' => 'Last ned',
+ 'cancel' => 'Avbryt',
+ 'close' => 'Lukk',
+ 'provide_email' => 'Vennligst oppgi en gyldig e-postadresse',
+ 'powered_by' => 'Drevet av',
+ 'no_items' => 'Ingen elementer',
+ 'recurring_invoices' => 'Gjentakende Fakturaer',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'totale inntekter',
+ 'billed_client' => 'fakturert kunde',
+ 'billed_clients' => 'fakturerte kunder',
+ 'active_client' => 'aktiv kunde',
+ 'active_clients' => 'aktive kunder',
+ 'invoices_past_due' => 'Forfalte Fakturaer',
+ 'upcoming_invoices' => 'Forestående Fakturaer',
+ 'average_invoice' => 'Gjennomsnittlige fakturaer',
+ 'archive' => 'Arkiv',
+ 'delete' => 'Slett',
+ 'archive_client' => 'Arkiver kunde',
+ 'delete_client' => 'Slett kunde',
+ 'archive_payment' => 'Arkiver betaling',
+ 'delete_payment' => 'Slett betaling',
+ 'archive_credit' => 'Arkiver kredit',
+ 'delete_credit' => 'Slett kredit',
+ 'show_archived_deleted' => 'Vis slettet/arkivert',
+ 'filter' => 'Filter',
+ 'new_client' => 'Ny Kunde',
+ 'new_invoice' => 'Ny Faktura',
+ 'new_payment' => 'Oppgi Betaling',
+ 'new_credit' => 'Oppgi Kredit',
+ 'contact' => 'Kontakt',
+ 'date_created' => 'Dato Opprettet',
+ 'last_login' => 'Siste Pålogging',
+ 'balance' => 'Balanse',
+ 'action' => 'Handling',
+ 'status' => 'Status',
+ 'invoice_total' => 'Faktura Total',
+ 'frequency' => 'Frekvens',
+ 'start_date' => 'Startdato',
+ 'end_date' => 'Sluttdato',
+ 'transaction_reference' => 'Transaksjonsreferanse',
+ 'method' => 'Betalingsmåte',
+ 'payment_amount' => 'Beløp',
+ 'payment_date' => 'Betalingsdato',
+ 'credit_amount' => 'Kreditbeløp',
+ 'credit_balance' => 'Kreditsaldo',
+ 'credit_date' => 'Kreditdato',
+ 'empty_table' => 'Ingen data er tilgjengelige i tabellen',
+ 'select' => 'Velg',
+ 'edit_client' => 'Rediger Kunde',
+ 'edit_invoice' => 'Rediger Faktura',
+ 'create_invoice' => 'Lag Faktura',
+ 'enter_credit' => 'Oppgi Kredit',
+ 'last_logged_in' => 'Sist pålogget',
+ 'details' => 'Detaljer',
+ 'standing' => 'Stående',
+ 'credit' => 'Kredit',
+ 'activity' => 'Aktivitet',
+ 'date' => 'Dato',
+ 'message' => 'Beskjed',
+ 'adjustment' => 'Justering',
+ 'are_you_sure' => 'Er du sikker?',
+ 'payment_type_id' => 'Betalingsmetode',
+ 'amount' => 'Beløp',
+ 'work_email' => 'E-post',
+ 'language_id' => 'Språk',
+ 'timezone_id' => 'Tidssone',
+ 'date_format_id' => 'Dato format',
+ 'datetime_format_id' => 'Dato/Tidsformat',
+ 'users' => 'Brukere',
+ 'localization' => 'Regioninnstillinger',
+ 'remove_logo' => 'Fjern logo',
+ 'logo_help' => 'Støttede filtyper: JPEG, GIF og PNG',
+ 'payment_gateway' => 'Betalingsløsning',
+ 'gateway_id' => 'Tilbyder',
+ 'email_notifications' => 'Varsel via e-post',
+ 'email_sent' => 'Varsle når en faktura er sendt',
+ 'email_viewed' => 'Varsle når en faktura er sett',
+ 'email_paid' => 'Varsle når en faktura er betalt',
+ 'site_updates' => 'Side Oppdateringer',
+ 'custom_messages' => 'Tilpassede Meldinger',
+ 'default_email_footer' => 'Sett standard e-post-signatur',
+ 'select_file' => 'Vennligst velg en fil',
+ 'first_row_headers' => 'Bruk første rad som overskrifter',
+ 'column' => 'Kolonne',
+ 'sample' => 'Eksempel',
+ 'import_to' => 'Importer til',
+ 'client_will_create' => 'kunde vil bli opprettet',
+ 'clients_will_create' => 'kunder vil bli opprettet',
+ 'email_settings' => 'E-post-innstillinger',
+ 'client_view_styling' => 'Kundevisningsstil',
+ 'pdf_email_attachment' => 'Attach PDF',
+ 'custom_css' => 'Egendefinert CSS',
+ 'import_clients' => 'Importer Kundedata',
+ 'csv_file' => 'Velg CSV-fil',
+ 'export_clients' => 'Eksporter Kundedata',
+ 'created_client' => 'Opprettet kunde',
+ 'created_clients' => 'Opprettet :count kunder',
+ 'updated_settings' => 'Innstillinger oppdatert',
+ 'removed_logo' => 'Logoen ble fjernet',
+ 'sent_message' => 'Melding ble sendt',
+ 'invoice_error' => 'Vennligst sørg for å velge en kunde og rette eventuelle feil',
+ 'limit_clients' => 'Dessverre, dette vil overstige grensen på :count kunder',
+ 'payment_error' => 'Det oppstod en feil under din betaling. Vennligst prøv igjen senere.',
+ 'registration_required' => 'Vennligst registrer deg for å sende e-postfaktura',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Oppdaterte kunde',
+ 'created_client' => 'Opprettet kunde',
+ 'archived_client' => 'Arkiverte kunde',
+ 'archived_clients' => 'Arkiverte :count kunder',
+ 'deleted_client' => 'Slettet kunde',
+ 'deleted_clients' => 'Slettet :count kunder',
+ 'updated_invoice' => 'Faktura oppdatert',
+ 'created_invoice' => 'Faktura opprettet',
+ 'cloned_invoice' => 'Faktura kopiert',
+ 'emailed_invoice' => 'E-postfaktura sendt',
+ 'and_created_client' => 'og opprettet kunde',
+ 'archived_invoice' => 'Faktura arkivert',
+ 'archived_invoices' => 'Fakturaer arkivert',
+ 'deleted_invoice' => 'Faktura slettet',
+ 'deleted_invoices' => 'Slettet :count fakturaer',
+ 'created_payment' => 'Betaling opprettet',
+ 'created_payments' => 'Opprettet :count betaling(er)',
+ 'archived_payment' => 'Betaling arkivert',
+ 'archived_payments' => 'Arkiverte :count betalinger',
+ 'deleted_payment' => 'Betaling slettet',
+ 'deleted_payments' => 'Slettet :count betalinger',
+ 'applied_payment' => 'Betaling lagret',
+ 'created_credit' => 'Kredit opprettet',
+ 'archived_credit' => 'Kredit arkivert',
+ 'archived_credits' => 'Arkiverte :count krediter',
+ 'deleted_credit' => 'Kredit slettet',
+ 'deleted_credits' => 'Slettet :count krediter',
+ 'imported_file' => 'Importering av fil ble vellykket',
+ 'updated_vendor' => 'Oppdaterte leverandør',
+ 'created_vendor' => 'Opprettet leverandør',
+ 'archived_vendor' => 'Arkiverte leverandør',
+ 'archived_vendors' => 'Arkiverte :count leverandører',
+ 'deleted_vendor' => 'Slettet leverandør',
+ 'deleted_vendors' => 'Slettet :count leverandører',
+ 'confirmation_subject' => 'Invoice Ninja-kontobekreftelse',
+ 'confirmation_header' => 'Kontobekreftelse',
+ 'confirmation_message' => 'Vennligst åpne lenken nedenfor for å bekrefte kontoen din.',
+ 'invoice_subject' => 'Ny faktura :number fra :account',
+ 'invoice_message' => 'For å se din faktura på :amount, klikk lenken nedenfor.',
+ 'payment_subject' => 'Betaling mottatt',
+ 'payment_message' => 'Takk for din betaling pålydende :amount.',
+ 'email_salutation' => 'Kjære :name,',
+ 'email_signature' => 'Med vennlig hilsen,',
+ 'email_from' => 'Invoice Ninja Gjengen',
+ 'invoice_link_message' => 'Hvis du vil se fakturaen, klikk på lenken under:',
+ 'notification_invoice_paid_subject' => 'Faktura :invoice betalt av :client',
+ 'notification_invoice_sent_subject' => 'Faktura :invoice sendt til :client',
+ 'notification_invoice_viewed_subject' => 'Faktura :invoice sett av :client',
+ 'notification_invoice_paid' => 'En betaling pålydende :amount ble gjort av :client for faktura :invoice.',
+ 'notification_invoice_sent' => 'E-post har blitt sendt til :client - Faktura :invoice pålydende :amount.',
+ 'notification_invoice_viewed' => ':client har nå sett faktura :invoice pålydende :amount.',
+ 'reset_password' => 'Du kan nullstille ditt passord ved å besøke følgende lenke:',
+ 'secure_payment' => 'Sikker betaling',
+ 'card_number' => 'Kortnummer',
+ 'expiration_month' => 'Utløpsdato',
+ 'expiration_year' => 'Utløpsår',
+ 'cvv' => 'CVV',
+ 'logout' => 'Logg ut',
+ 'sign_up_to_save' => 'Registrer deg for å lagre arbeidet ditt',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'vilkår for bruk',
+ 'email_taken' => 'Epost-adressen er allerede registrert',
+ 'working' => 'Jobber',
+ 'success' => 'Suksess',
+ 'success_message' => 'Du har nå blitt registrert. Vennligst gå inn på lenken som du har mottatt i e-postbekreftelsen for å bekrefte e-postadressen.',
+ 'erase_data' => 'Din konto er ikke registrert, dette vil slette dataene permanent.',
+ 'password' => 'Passord',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'Takk for at du valgte Invoice Ninja\'s Pro plan!
+ Neste stegen betalbar faktura er sendt til e-postadressen
+ som er tilknyttet kontoen din. For å låse opp alle de utrolige
+ Pro-funksjonene, kan du følge instruksjonene på fakturaen til å
+ betale for et år med Pro-nivå funksjoner.
+ Finner du ikke fakturaen? Trenger du mer hjelp? Vi hjelper deg gjerne om det skulle være noe
+ -- kontakt oss på contact@invoiceninja.com',
+ 'unsaved_changes' => 'Du har ulagrede endringer',
+ 'custom_fields' => 'Egendefinerte felt',
+ 'company_fields' => 'Firmaets felt',
+ 'client_fields' => 'Kundens felt',
+ 'field_label' => 'Felt etikett',
+ 'field_value' => 'Feltets verdi',
+ 'edit' => 'Endre',
+ 'set_name' => 'Sett ditt firmanavn',
+ 'view_as_recipient' => 'Vis som mottaker',
+ 'product_library' => 'Produktbibliotek',
+ 'product' => 'Produkt',
+ 'products' => 'Produkter',
+ 'fill_products' => 'Automatisk-utfyll produkter',
+ 'fill_products_help' => 'Valg av produkt vil automatisk fylle ut beskrivelse og kostnaden',
+ 'update_products' => 'Automatisk oppdater produkter',
+ 'update_products_help' => 'Å endre en faktura vil automatisk oppdatere produktbilioteket',
+ 'create_product' => 'Lag nytt produkt',
+ 'edit_product' => 'Endre produkt',
+ 'archive_product' => 'Arkiver produkt',
+ 'updated_product' => 'Produkt oppdatert',
+ 'created_product' => 'Produkt lagret',
+ 'archived_product' => 'Produkt arkivert',
+ 'pro_plan_custom_fields' => ':link for å aktivere egendefinerte felt ved å delta i Pro Plan',
+ 'advanced_settings' => 'Avanserte innstillinger',
+ 'pro_plan_advanced_settings' => ':link for å aktivere avanserte innstillinger ved å delta i en Pro Plan',
+ 'invoice_design' => 'Fakturadesign',
+ 'specify_colors' => 'Egendefinerte farger',
+ 'specify_colors_label' => 'Velg farger som brukes i fakturaen',
+ 'chart_builder' => 'Diagram bygger',
+ 'ninja_email_footer' => 'Laget av :site | Opprett. Send. Få Betalt. ',
+ 'go_pro' => 'Velg Pro',
+ 'quote' => 'Pristilbud',
+ 'quotes' => 'Pristilbud',
+ 'quote_number' => 'Tilbudsnummer',
+ 'quote_number_short' => 'Tilbud #',
+ 'quote_date' => 'Tilbudsdato',
+ 'quote_total' => 'Tilbud totalt',
+ 'your_quote' => 'Ditt tilbud',
+ 'total' => 'Totalt',
+ 'clone' => 'Kopier',
+ 'new_quote' => 'Nytt tilbud',
+ 'create_quote' => 'Lag tilbud',
+ 'edit_quote' => 'Endre tilbud',
+ 'archive_quote' => 'Arkiver tilbud',
+ 'delete_quote' => 'Slett tilbud',
+ 'save_quote' => 'Lagre tilbud',
+ 'email_quote' => 'Send tilbudet som E-post',
+ 'clone_quote' => 'Kopier som tilbud',
+ 'convert_to_invoice' => 'Konverter til en faktura',
+ 'view_invoice' => 'Se faktura',
+ 'view_client' => 'Vis Kunde',
+ 'view_quote' => 'Se tilbud',
+ 'updated_quote' => 'Tilbud oppdatert',
+ 'created_quote' => 'Tilbud opprettet',
+ 'cloned_quote' => 'Tilbud kopiert',
+ 'emailed_quote' => 'Tilbud sendt som e-post',
+ 'archived_quote' => 'Tilbud arkivert',
+ 'archived_quotes' => 'Arkiverte :count tilbud',
+ 'deleted_quote' => 'Tilbud slettet',
+ 'deleted_quotes' => 'Slettet :count tilbud',
+ 'converted_to_invoice' => 'Tilbud konvertert til faktura',
+ 'quote_subject' => 'Nytt tilbud :number fra :account',
+ 'quote_message' => 'For å se ditt tilbud pålydende :amount, klikk lenken nedenfor.',
+ 'quote_link_message' => 'Hvis du vil se din kundes tilbud, klikk på lenken under:',
+ 'notification_quote_sent_subject' => 'Tilbud :invoice sendt til :client',
+ 'notification_quote_viewed_subject' => 'Tilbudet :invoice er nå sett av :client',
+ 'notification_quote_sent' => 'Kunden :client ble sendt tilbud :invoice på :amount.',
+ 'notification_quote_viewed' => 'Kunden :client har nå sett tilbud :invoice på :amount.',
+ 'session_expired' => 'Økten er utløpt.',
+ 'invoice_fields' => 'Faktura felt',
+ 'invoice_options' => 'Faktura alternativer',
+ 'hide_paid_to_date' => 'Skjul delbetalinger',
+ 'hide_paid_to_date_help' => 'Bare vis delbetalinger om det har forekommet en delbetaling.',
+ 'charge_taxes' => 'Inkluder skatt',
+ 'user_management' => 'Brukerhåndtering',
+ 'add_user' => 'Legg til bruker',
+ 'send_invite' => 'Send invitasjon',
+ 'sent_invite' => 'Invitasjon sendt',
+ 'updated_user' => 'Bruker oppdatert',
+ 'invitation_message' => 'Du har blitt invitert av :invitor. ',
+ 'register_to_add_user' => 'Vennligst registrer deg for å legge til en bruker',
+ 'user_state' => 'Status',
+ 'edit_user' => 'Endre bruker',
+ 'delete_user' => 'Slett bruker',
+ 'active' => 'Aktiv',
+ 'pending' => 'Avventer',
+ 'deleted_user' => 'Bruker slettet',
+ 'confirm_email_invoice' => 'Er du sikker på at du ønsker å sende denne fakturaen som e-post?',
+ 'confirm_email_quote' => 'Er du sikker på at du ønsker å sende dette tilbudet som e-post?',
+ 'confirm_recurring_email_invoice' => 'Er du sikker på at du ønsker denne fakturaen send som e-post?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Kanseler Konto',
+ 'cancel_account_message' => 'Advarsel: Dette vil permanent slette kontoen din, du kan ikke angre.',
+ 'go_back' => 'Gå Tilbake',
+ 'data_visualizations' => 'Datavisualiseringer',
+ 'sample_data' => 'Eksempel data vist',
+ 'hide' => 'Skjul',
+ 'new_version_available' => 'En ny versjon av :releases_link er tilgjengelig. Du kjører v:user_version, siste versjon er v:latest_version',
+ 'invoice_settings' => 'Fakturainnstillinger',
+ 'invoice_number_prefix' => 'Fakturanummer-prefiks',
+ 'invoice_number_counter' => 'Fakturanummer-teller',
+ 'quote_number_prefix' => 'Tilbudsnummer-prefiks',
+ 'quote_number_counter' => 'Tilbudsnummer-teller',
+ 'share_invoice_counter' => 'Del faktura teller',
+ 'invoice_issued_to' => 'Faktura sendt til',
+ 'invalid_counter' => 'For å forhindre en mulig konflikt, sett et faktura eller tilbuds nummmer prefiks',
+ 'mark_sent' => 'Merk som Sendt',
+ 'gateway_help_1' => ':link for å lage en konto for Authorize.net.',
+ 'gateway_help_2' => ':link for å lage en konto for Authorize.net.',
+ 'gateway_help_17' => ':link for å få din PayPal API signatur.',
+ 'gateway_help_27' => ':link to sign up for 2Checkout.com. To ensure payments are tracked set :complete_link as the redirect URL under Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'Flere design',
+ 'more_designs_title' => 'Flere Faktura Design',
+ 'more_designs_cloud_header' => 'Gå Pro for flere faktura design',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Kjøp',
+ 'bought_designs' => 'Det ble suksessfullt lagt til flere design',
+ 'sent' => 'Sendt',
+ 'vat_number' => 'MVA-nummer',
+ 'timesheets' => 'Tidsskjemaer',
+ 'payment_title' => 'Oppgi Din Faktura Adresse og Betalingskort informasjon',
+ 'payment_cvv' => '*Dette er de 3-4 tallene på baksiden av ditt kort',
+ 'payment_footer1' => '*Faktura adressen må være lik adressen assosiert med betalingskortet.',
+ 'payment_footer2' => '*Vennligst klikk "BETAL NÅ" kun en gang - transaksjonen kan ta opp til 1 minutt å prosessere.',
+ 'id_number' => 'Organisasjonsnummer',
+ 'white_label_link' => 'Reklamefri',
+ 'white_label_header' => 'Reklamefri',
+ 'bought_white_label' => 'Du har suksessfullt aktivert din reklamefrie lisens.',
+ 'white_labeled' => 'Reklamefrie',
+ 'restore' => 'Gjenopprette',
+ 'restore_invoice' => 'Gjenopprette Faktura',
+ 'restore_quote' => 'Gjenopprette Tilbud',
+ 'restore_client' => 'Gjenopprett Kunde',
+ 'restore_credit' => 'Gjenopprett Kredit',
+ 'restore_payment' => 'Gjenopprette Betaling',
+ 'restored_invoice' => 'Suksessfullt gjenopprettet faktura',
+ 'restored_quote' => 'Suksessfullt gjenopprettet tilbud',
+ 'restored_client' => 'Gjenopprettet kunde',
+ 'restored_payment' => 'Suksessfullt gjenopprettet betaling',
+ 'restored_credit' => 'Suksessfullt gjenopprettet kredit',
+ 'reason_for_canceling' => 'Hjelp oss å forbedre vår side ved å fortelle oss hvorfor du forlater oss.',
+ 'discount_percent' => 'Prosent',
+ 'discount_amount' => 'Beløp',
+ 'invoice_history' => 'Faktura Historikk',
+ 'quote_history' => 'Tilbuds Historikk',
+ 'current_version' => 'Nåværende versjon',
+ 'select_version' => 'Velg versjon',
+ 'view_history' => 'Vis Historikk',
+ 'edit_payment' => 'Rediger Betaling',
+ 'updated_payment' => 'Suksessfullt oppdatert betaling',
+ 'deleted' => 'Slettet',
+ 'restore_user' => 'Gjenopprett Bruker',
+ 'restored_user' => 'Suksessfullt gjenopprettet bruker',
+ 'show_deleted_users' => 'Vis slettede brukere',
+ 'email_templates' => 'E-post-maler',
+ 'invoice_email' => 'Faktura-e-post',
+ 'payment_email' => 'Betalings-e-post',
+ 'quote_email' => 'Tilbuds-e-post',
+ 'reset_all' => 'Tilbakebestill Alt',
+ 'approve' => 'Godkjenn',
+ 'token_billing_type_id' => 'Token-fakturering',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Deaktivert',
+ 'token_billing_2' => 'Valgfritt - valgboks er vist, men ikke valgt',
+ 'token_billing_3' => 'Aktivert - valgboks er vist og valgt',
+ 'token_billing_4' => 'Alltid',
+ 'token_billing_checkbox' => 'Lagre bankkort-detaljer',
+ 'view_in_gateway' => 'Vis i :gateway',
+ 'use_card_on_file' => 'Bruk lagret kort',
+ 'edit_payment_details' => 'Rediger betalingsdetaljer',
+ 'token_billing' => 'Lagre kortdetaljer',
+ 'token_billing_secure' => 'Dataene er trygt lagret av :link',
+ 'support' => 'Brukerstøtte',
+ 'contact_information' => 'Kontaktinformasjon',
+ '256_encryption' => '256-Bit Kryptering',
+ 'amount_due' => 'Skyldig beløp',
+ 'billing_address' => 'Fakturerings Adresse',
+ 'billing_method' => 'Fakturerings Metode',
+ 'order_overview' => 'Bestillings oversikt',
+ 'match_address' => '*Adressen må være lik adressen med assosiert betalingskort',
+ 'click_once' => '*Vennligst klikk "BETAL NÅ" kun en gang - transaksjonen kan ta opp til 1 minutt å prosessere.',
+ 'invoice_footer' => 'Faktura Bunntekst',
+ 'save_as_default_footer' => 'Lagre som standard bunntekst',
+ 'token_management' => 'Token-organisering',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Legg til token',
+ 'show_deleted_tokens' => 'Vis slettede tokens',
+ 'deleted_token' => 'Suksessfullt slettet token',
+ 'created_token' => 'Opprettet token',
+ 'updated_token' => 'Oppdaterte token',
+ 'edit_token' => 'Rediger Token',
+ 'delete_token' => 'Slett Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Legg til Tilbyder',
+ 'delete_gateway' => 'Slett Tilbyder',
+ 'edit_gateway' => 'Rediger Tilbyder',
+ 'updated_gateway' => 'Suksessfullt oppdatert tilbyder',
+ 'created_gateway' => 'Suksessfullt opprettet tilbyder',
+ 'deleted_gateway' => 'Suksessfullt slettet tilbyder',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Betalingskort',
+ 'change_password' => 'Skift passord',
+ 'current_password' => 'Nåværende passord',
+ 'new_password' => 'Nytt passord',
+ 'confirm_password' => 'Bekreft passord',
+ 'password_error_incorrect' => 'Nåværende passord er ikke riktig.',
+ 'password_error_invalid' => 'Det nye passordet er ikke godkjent.',
+ 'updated_password' => 'Suksessfullt oppdatert passord',
+ 'api_tokens' => 'API-tokens',
+ 'users_and_tokens' => 'Brukere & Tokens',
+ 'account_login' => 'Kontoinnlogging',
+ 'recover_password' => 'Gjenopprett ditt passord',
+ 'forgot_password' => 'Glemt ditt passord?',
+ 'email_address' => 'E-post-adresse',
+ 'lets_go' => 'La oss fortsette',
+ 'password_recovery' => 'Passord gjenoppretting',
+ 'send_email' => 'Send e-post',
+ 'set_password' => 'Sett Passord',
+ 'converted' => 'Konvertert',
+ 'email_approved' => 'Send meg en e-post når tilbudet er godkjent',
+ 'notification_quote_approved_subject' => 'Tilbud :invoice ble godkjent av :client',
+ 'notification_quote_approved' => 'Kunden :client godkjente tilbud :invoice på :amount.',
+ 'resend_confirmation' => 'Send e-postbekreftelse på nytt',
+ 'confirmation_resent' => 'E-postbekreftelsen ble sendt på nytt',
+ 'gateway_help_42' => ':link for å lage en konto hos BitPay.
Info: bruk en Legacy API-nøkkel, ikke en API-token.',
+ 'payment_type_credit_card' => 'Bankkort',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Kunnskapsbase',
+ 'partial' => 'Delvis/Depositum',
+ 'partial_remaining' => ':delvis av :balance',
+ 'more_fields' => 'Flere Felt',
+ 'less_fields' => 'Færre Felt',
+ 'client_name' => 'Kundenavn',
+ 'pdf_settings' => 'PDF-innstillinger',
+ 'product_settings' => 'Produkt-innstillinger',
+ 'auto_wrap' => 'Automatisk Linjebryting',
+ 'duplicate_post' => 'Advarsel: forrige side ble sendt inn to ganger. Den andre innsendingen har derfor blitt ignorert.',
+ 'view_documentation' => 'Vis Dokumentasjon',
+ 'app_title' => 'Gratis Åpen Kildekode Internett-fakturering',
+ 'app_description' => 'Invoice Ninja er en gratis, åpen kildekode løsning for fakturaer og fakturering av kunder. Med Invoice Ninja, kan du enkelt bygge og sende vakre fakturaer fra alle enheter som har tilgang til nettet. Dine kunder kan skrive ut fakturaer, laste dem ned som pdf-filer og selv betale deg på internett fra systemet.',
+ 'rows' => 'rader',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdomene',
+ 'provide_name_or_email' => 'Vennligst oppgi et kontaktnavn eller e-post adresse',
+ 'charts_and_reports' => 'Diagrammer & Rapporter',
+ 'chart' => 'Diagram',
+ 'report' => 'Rapport',
+ 'group_by' => 'Grupper etter',
+ 'paid' => 'Betalt',
+ 'enable_report' => 'Rapport',
+ 'enable_chart' => 'Diagram',
+ 'totals' => 'Totaler',
+ 'run' => 'Kjør',
+ 'export' => 'Eksporter',
+ 'documentation' => 'Dokumentasjon',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Gjentakende',
+ 'last_invoice_sent' => 'Siste faktura sendt :date',
+ 'processed_updates' => 'Suksessfullt fullført oppdatering',
+ 'tasks' => 'Oppgaver',
+ 'new_task' => 'Ny Oppgave',
+ 'start_time' => 'Starttid',
+ 'created_task' => 'Suksessfullt opprettet oppgave',
+ 'updated_task' => 'Suksessfullt oppdatert oppgave',
+ 'edit_task' => 'Rediger Oppgave',
+ 'archive_task' => 'Arkiver Oppgave',
+ 'restore_task' => 'Gjennopprett Oppgave',
+ 'delete_task' => 'Slett Oppgave',
+ 'stop_task' => 'Stopp Oppgave',
+ 'time' => 'Tid',
+ 'start' => 'Start',
+ 'stop' => 'Stopp',
+ 'now' => 'Nå',
+ 'timer' => 'Tidtaker',
+ 'manual' => 'Manuell',
+ 'date_and_time' => 'Dato & Tid',
+ 'second' => 'sekund',
+ 'seconds' => 'sekunder',
+ 'minute' => 'minutt',
+ 'minutes' => 'minutter',
+ 'hour' => 'time',
+ 'hours' => 'timer',
+ 'task_details' => 'Oppgavedetaljer',
+ 'duration' => 'Varighet',
+ 'end_time' => 'Sluttid',
+ 'end' => 'Slutt',
+ 'invoiced' => 'Fakturert',
+ 'logged' => 'Logget',
+ 'running' => 'Løpende',
+ 'task_error_multiple_clients' => 'Oppgaver kan ikke tilhøre andre kunder',
+ 'task_error_running' => 'Vennligst stopp løpende oppgaver først',
+ 'task_error_invoiced' => 'Oppgavene har allerede blitt fakturert',
+ 'restored_task' => 'Gjenopprettet oppgave',
+ 'archived_task' => 'Arkiverte oppgave',
+ 'archived_tasks' => 'Arkiverte :count oppgaver',
+ 'deleted_task' => 'Slettet oppgave',
+ 'deleted_tasks' => 'Slettet :count oppgaver',
+ 'create_task' => 'Opprett Oppgave',
+ 'stopped_task' => 'Suksessfullt stoppet oppgave',
+ 'invoice_task' => 'Fakturer Oppgave',
+ 'invoice_labels' => 'Faktureringsetiketter',
+ 'prefix' => 'Prefiks',
+ 'counter' => 'Teller',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link for å lage en konto hos Dwolla.
Info: fjern bindestreker fra Destinasjons/Dwolla IDen',
+ 'partial_value' => 'Må være større enn null og mindre enn totalen',
+ 'more_actions' => 'Flere Valg',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Oppgrader Nå!',
+ 'pro_plan_feature1' => 'Opprett Ubegrensett Antall Kunder',
+ 'pro_plan_feature2' => 'Tilgang til 10 Vakre Faktura-maler',
+ 'pro_plan_feature3' => 'Tilpasset nettadresse - "DittFirma.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Fjern "Laget av Invoice Ninja"',
+ 'pro_plan_feature5' => 'Flerbruker Tilgang & Aktivitets Sporing',
+ 'pro_plan_feature6' => 'Lag Tilbud & Proforma Fakturaer',
+ 'pro_plan_feature7' => 'Modifiser felttitteler og nummerering på fakturaer',
+ 'pro_plan_feature8' => 'Mulighet til å legge ved PDF-er i e-post til kunder',
+ 'resume' => 'Gjenoppta',
+ 'break_duration' => 'Pause',
+ 'edit_details' => 'Rediger Detaljer',
+ 'work' => 'Arbeid',
+ 'timezone_unset' => 'Vennligst :link for å sette din tidssone',
+ 'click_here' => 'klikk her',
+ 'email_receipt' => 'Send betalingskvittering som e-post til kunden',
+ 'created_payment_emailed_client' => 'Opprettet betaling og sendte e-post til kunden',
+ 'add_company' => 'Legg til Firma',
+ 'untitled' => 'Uten navn',
+ 'new_company' => 'Nytt Firma',
+ 'associated_accounts' => 'Suksessfullt lenket kontoer',
+ 'unlinked_account' => 'Suksessfullt frakoblet kontoer',
+ 'login' => 'Logg inn',
+ 'or' => 'eller',
+ 'email_error' => 'Det oppstod et problem med utsending av e-posten',
+ 'confirm_recurring_timing' => 'Info: e-poster er sendt på begynnelsen av timen.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Angir standard fakturaforfall',
+ 'unlink_account' => 'Frakoble Konto',
+ 'unlink' => 'Frakoble',
+ 'show_address' => 'Vis Adresse',
+ 'show_address_help' => 'Krev at kunden oppgir fakturaadresse',
+ 'update_address' => 'Oppdater Adresse',
+ 'update_address_help' => 'Oppdater kundens adresse med oppgitte detaljer',
+ 'times' => 'Tider',
+ 'set_now' => 'Sett til nå',
+ 'dark_mode' => 'Mørk Modus',
+ 'dark_mode_help' => 'Bruk en mørk bakgrunn for sidefelt',
+ 'add_to_invoice' => 'Legg til på faktura :invoice',
+ 'create_new_invoice' => 'Lag ny faktura',
+ 'task_errors' => 'Vennligst rett alle overlappende tider',
+ 'from' => 'Fra',
+ 'to' => 'Til',
+ 'font_size' => 'Skriftstørrelse',
+ 'primary_color' => 'Primærfarge',
+ 'secondary_color' => 'Sekundær farge',
+ 'customize_design' => 'Modifiser Design',
+ 'content' => 'Innhold',
+ 'styles' => 'Stiler',
+ 'defaults' => 'Standarder',
+ 'margins' => 'Marginer',
+ 'header' => 'Header',
+ 'footer' => 'Bunntekst',
+ 'custom' => 'Egendefiner',
+ 'invoice_to' => 'Fakturer til',
+ 'invoice_no' => 'Faktura Nr.',
+ 'quote_no' => 'Tilbudsnr.',
+ 'recent_payments' => 'Nylige Betalinger ',
+ 'outstanding' => 'Utestående',
+ 'manage_companies' => 'Administrer Firmaer',
+ 'total_revenue' => 'Sum omsetning',
+ 'current_user' => 'Nåværende Bruker',
+ 'new_recurring_invoice' => 'Ny Gjentakende Faktura',
+ 'recurring_invoice' => 'Gjentakende Faktura',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Det er for tidlig å lage neste gjentakende faktura, den er planlagt for :date',
+ 'created_by_invoice' => 'Laget av :invoice',
+ 'primary_user' => 'Hovedbruker',
+ 'help' => 'Hjelp',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Forfallsdato',
+ 'quote_due_date' => 'Gyldig til',
+ 'valid_until' => 'Gyldig til',
+ 'reset_terms' => 'Tilbakestill vilkår',
+ 'reset_footer' => 'Tilbakestill bunntekst',
+ 'invoice_sent' => ':count faktura sendt',
+ 'invoices_sent' => ':count fakturaer sendt',
+ 'status_draft' => 'Kladd',
+ 'status_sent' => 'Sendt',
+ 'status_viewed' => 'Vist',
+ 'status_partial' => 'Delvis',
+ 'status_paid' => 'Betalt',
+ 'status_unpaid' => 'Ubetalt',
+ 'status_all' => 'Alle',
+ 'show_line_item_tax' => 'Vis linje element skatter på linje',
+ 'iframe_url' => 'Nettside',
+ 'iframe_url_help1' => 'Kopier følgende kode til en side på din nettside.',
+ 'iframe_url_help2' => 'Du kan teste funksjonen ved å klikke \'Vis som mottager\' for en faktura.',
+ 'auto_bill' => 'Auto Fakturer',
+ 'military_time' => '24 Timers Tid',
+ 'last_sent' => 'Sist Sendt',
+ 'reminder_emails' => 'Påminnelses-e-poster',
+ 'templates_and_reminders' => 'Design & Påminnelser',
+ 'subject' => 'Emne',
+ 'body' => 'Body',
+ 'first_reminder' => 'Første Påminnelse',
+ 'second_reminder' => 'Andre Påminnelse',
+ 'third_reminder' => 'Tredje Påminnelse',
+ 'num_days_reminder' => 'Dager etter forfall ',
+ 'reminder_subject' => 'Påminnelse: Faktura :invoice fra :account',
+ 'reset' => 'Nullstill',
+ 'invoice_not_found' => 'Ønsket faktura er ikke tilgjengelig',
+ 'referral_program' => 'Henvisningsprogram',
+ 'referral_code' => 'Henvisnings-URL',
+ 'last_sent_on' => 'Sendt Sist: :date',
+ 'page_expire' => 'Denne siden vil utløpe snart, :click_here for å fortsette å arbeide',
+ 'upcoming_quotes' => 'Oppkommende Tilbud',
+ 'expired_quotes' => 'Utløpte Tilbud',
+ 'sign_up_using' => 'Meld deg på ved å bruke',
+ 'invalid_credentials' => 'Disse kredentialene samsvarer ikke med våre opplysninger',
+ 'show_all_options' => 'Vis alle alternativene',
+ 'user_details' => 'Brukerdetaljer',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Deaktiver',
+ 'invoice_quote_number' => 'Faktura- og tilbudsnummer',
+ 'invoice_charges' => 'Fakturatillegg',
+ 'notification_invoice_bounced' => 'Vi klarte ikke å levere Faktura :invoice til :contact.',
+ 'notification_invoice_bounced_subject' => 'Klarte ikke å levere Faktura :invoice',
+ 'notification_quote_bounced' => 'Vi klarte ikke å levere Tilbud :invoice til :contact.',
+ 'notification_quote_bounced_subject' => 'Klarte ikke å levere Tilbud :invoice',
+ 'custom_invoice_link' => 'Tilpasset Faktura Lenke',
+ 'total_invoiced' => 'Totalt Fakturert',
+ 'open_balance' => 'Åpen Balanse',
+ 'verify_email' => 'Vennligst besøk lenken i e-posten for kontobekreftelse for å bekrefte din e-postadresse.',
+ 'basic_settings' => 'Grunnleggende Innstillinger',
+ 'pro' => 'Pro',
+ 'gateways' => 'Betalingstilbydere',
+ 'next_send_on' => 'Send Neste: :date',
+ 'no_longer_running' => 'Denne fakturaen er ikke planlagt for kjøring',
+ 'general_settings' => 'Systeminnstillinger',
+ 'customize' => 'Tilpass',
+ 'oneclick_login_help' => 'Koble til en konto for å logge inn uten et passord',
+ 'referral_code_help' => 'Tjen penger ved å dele appen vår på internett',
+ 'enable_with_stripe' => 'Aktiver | Krever Stripe',
+ 'tax_settings' => 'Skatteinnstillinger',
+ 'create_tax_rate' => 'Legg Til Skattesats',
+ 'updated_tax_rate' => 'Suksessfullt oppdatert skattesats',
+ 'created_tax_rate' => 'Suksessfullt opprettet skattesats',
+ 'edit_tax_rate' => 'Rediger skattesats',
+ 'archive_tax_rate' => 'Arkiver skattesats',
+ 'archived_tax_rate' => 'Suksessfullt arkivert skattesatsen',
+ 'default_tax_rate_id' => 'Standard skattesats',
+ 'tax_rate' => 'Skattesats',
+ 'recurring_hour' => 'Gjentakende Time',
+ 'pattern' => 'Mønster',
+ 'pattern_help_title' => 'Mønster Hjelp',
+ 'pattern_help_1' => 'Opprett egendefinerte tall ved å angi et mønster',
+ 'pattern_help_2' => 'Tilgjengelige variabler:',
+ 'pattern_help_3' => 'For eksempel, :example vil bli konvertert til :value',
+ 'see_options' => 'Se alternativer',
+ 'invoice_counter' => 'Faktura Teller',
+ 'quote_counter' => 'Tilbuds Teller',
+ 'type' => 'Type',
+ 'activity_1' => ':user opprettet kunde :client',
+ 'activity_2' => ':user arkiverte kunde :client',
+ 'activity_3' => ':user slettet kunde :client',
+ 'activity_4' => ':user opprettet faktura :invoice',
+ 'activity_5' => ':user oppdaterte faktura :invoice',
+ 'activity_6' => ':user sendte faktura :invoice som e-post til :contact',
+ 'activity_7' => ':contact viste faktura :invoice',
+ 'activity_8' => ':user arkiverte faktura :invoice',
+ 'activity_9' => ':user slettet faktura :invoice',
+ 'activity_10' => ':contact la inn betaling på :payment for :invoice',
+ 'activity_11' => ':user oppdaterte betaling :payment',
+ 'activity_12' => ':user arkiverte betaling :payment',
+ 'activity_13' => ':user slettet betaling :payment',
+ 'activity_14' => ':user la inn :credit kredit',
+ 'activity_15' => ':user oppdaterte :credit kredit',
+ 'activity_16' => ':user arkiverte :credit kredit',
+ 'activity_17' => ':user slettet :credit kredit',
+ 'activity_18' => ':user opprettet tilbud :quote',
+ 'activity_19' => ':user oppdaterte tilbud :quote',
+ 'activity_20' => ':user sendte tilbud som e-post :quote til :contact',
+ 'activity_21' => ':contact viste tilbud :quote',
+ 'activity_22' => ':user arkiverte tilbud :quote',
+ 'activity_23' => ':user slettet tilbud :quote',
+ 'activity_24' => ':user gjenopprettet tilbud :quote',
+ 'activity_25' => ':user gjenopprettet faktura :invoice',
+ 'activity_26' => ':user gjenopprettet kunde :client',
+ 'activity_27' => ':user gjenopprettet betaling :payment',
+ 'activity_28' => ':user gjenopprettet :credit kredit',
+ 'activity_29' => ':contact godkjente tilbud :quote',
+ 'activity_30' => ':user opprettet leverandør :vendor',
+ 'activity_31' => ':user arkiverte leverandør :vendor',
+ 'activity_32' => ':user slettet leverandør :vendor',
+ 'activity_33' => ':user gjenopprettet leverandør :vendor',
+ 'activity_34' => ':user opprettet utgift :expense',
+ 'activity_35' => ':user arkiverte utgift :expense',
+ 'activity_36' => ':user slettet utgift :expense',
+ 'activity_37' => ':user gjenopprettet utgift :expense',
+ 'activity_42' => ':user opprettet oppgave :task',
+ 'activity_43' => ':user oppdaterte oppgave :task',
+ 'activity_44' => ':user arkiverte oppgave :task',
+ 'activity_45' => ':user slettet oppgave :task',
+ 'activity_46' => ':user gjenopprettet oppgave :task',
+ 'activity_47' => ':user oppdaterte utgift :expense',
+ 'payment' => 'Betaling',
+ 'system' => 'System',
+ 'signature' => 'E-post-signatur',
+ 'default_messages' => 'Standard Meldinger',
+ 'quote_terms' => 'Tilbuds Vilkår',
+ 'default_quote_terms' => 'Standard Tilbuds Vilkår',
+ 'default_invoice_terms' => 'Standard Faktura Vilkår',
+ 'default_invoice_footer' => 'Standard Faktura Bunntekst',
+ 'quote_footer' => 'Tilbud Bunntekst',
+ 'free' => 'Gratis',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Bruk Kredit',
+ 'system_settings' => 'Systeminnstillinger',
+ 'archive_token' => 'Arkiver Token',
+ 'archived_token' => 'Suksessfullt arkivert token',
+ 'archive_user' => 'Arkiver Bruker',
+ 'archived_user' => 'Suksessfullt arkivert bruker',
+ 'archive_account_gateway' => 'Arkiver Tilbyder',
+ 'archived_account_gateway' => 'Suksessfullt arkivert tilbyder',
+ 'archive_recurring_invoice' => 'Arkiver Gjentakende Faktura',
+ 'archived_recurring_invoice' => 'Suksessfullt arkivert gjentakende faktura',
+ 'delete_recurring_invoice' => 'Slett Gjentakende Faktura',
+ 'deleted_recurring_invoice' => 'Suksessfullt slettet gjentakende faktura',
+ 'restore_recurring_invoice' => 'Gjenopprett Gjentakende Faktura',
+ 'restored_recurring_invoice' => 'Suksessfullt gjenopprettet gjentakende faktura',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Arkivert',
+ 'untitled_account' => 'Firma Uten Navn',
+ 'before' => 'Before',
+ 'after' => 'After',
+ 'reset_terms_help' => 'Reset to the default account terms',
+ 'reset_footer_help' => 'Reset to the default account footer',
+ 'export_data' => 'Export Data',
+ 'user' => 'User',
+ 'country' => 'Country',
+ 'include' => 'Include',
+ 'logo_too_large' => 'Your logo is :size, for better PDF performance we suggest uploading an image file less than 200KB',
+ 'import_freshbooks' => 'Import From FreshBooks',
+ 'import_data' => 'Import Data',
+ 'source' => 'Source',
+ 'csv' => 'CSV',
+ 'client_file' => 'Client File',
+ 'invoice_file' => 'Invoice File',
+ 'task_file' => 'Task File',
+ 'no_mapper' => 'No valid mapping for file',
+ 'invalid_csv_header' => 'Invalid CSV Header',
+ 'client_portal' => 'Kundeportal',
+ 'admin' => 'Admin',
+ 'disabled' => 'Disabled',
+ 'show_archived_users' => 'Vis arkiverte brukere',
+ 'notes' => 'Notater',
+ 'invoice_will_create' => 'faktura vil bli opprettet',
+ 'invoices_will_create' => 'invoices will be created',
+ 'failed_to_import' => 'The following records failed to import, they either already exist or are missing required fields.',
+ 'publishable_key' => 'Publishable Key',
+ 'secret_key' => 'Secret Key',
+ 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process',
+ 'email_design' => 'Email Design',
+ 'due_by' => 'Forfall ved :date',
+ 'enable_email_markup' => 'Enable Markup',
+ 'enable_email_markup_help' => 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
+ 'template_help_title' => 'Templates Help',
+ 'template_help_1' => 'Available variables:',
+ 'email_design_id' => 'E-post-stil',
+ 'email_design_help' => 'Gjør e-postene dine mer profesjonelle med HTML-oppsett.',
+ 'plain' => 'Plain',
+ 'light' => 'Light',
+ 'dark' => 'Dark',
+ 'industry_help' => 'Used to provide comparisons against the averages of companies of similar size and industry.',
+ 'subdomain_help' => 'Sett subdomenet eller vis fakturaen på ditt eget nettsted.',
+ 'website_help' => 'Vis fakturaen i en iFrame på din nettside',
+ 'invoice_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the invoice number.',
+ 'quote_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the quote number.',
+ 'custom_client_fields_helps' => 'Legg til et felt når du oppretter en kunde, og vis etiketten og verdien på PDF-en.',
+ 'custom_account_fields_helps' => 'Add a label and value to the company details section of the PDF.',
+ 'custom_invoice_fields_helps' => 'Legg til et felt når du oppretter en faktura, og vis etiketten og verdien på PDF-en.',
+ 'custom_invoice_charges_helps' => 'Add a text input to the invoice create/edit page and include the charge in the invoice subtotals.',
+ 'token_expired' => 'Validation token was expired. Please try again.',
+ 'invoice_link' => 'Invoice Link',
+ 'button_confirmation_message' => 'Click to confirm your email address.',
+ 'confirm' => 'Confirm',
+ 'email_preferences' => 'Email Preferences',
+ 'created_invoices' => 'Successfully created :count invoice(s)',
+ 'next_invoice_number' => 'The next invoice number is :number.',
+ 'next_quote_number' => 'The next quote number is :number.',
+ 'days_before' => 'dager før',
+ 'days_after' => 'dager etter',
+ 'field_due_date' => 'forfallsdato',
+ 'field_invoice_date' => 'invoice date',
+ 'schedule' => 'Planlegg',
+ 'email_designs' => 'Email Designs',
+ 'assigned_when_sent' => 'Assigned when sent',
+ 'white_label_purchase_link' => 'Purchase a white label license',
+ 'expense' => 'Utgift',
+ 'expenses' => 'Utgifter',
+ 'new_expense' => 'Angi utgift',
+ 'enter_expense' => 'Angi Utgift',
+ 'vendors' => 'Leverandører',
+ 'new_vendor' => 'Ny Leverandør',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Leverandør',
+ 'edit_vendor' => 'Rediger Leverandør',
+ 'archive_vendor' => 'Arkiver Leverandør',
+ 'delete_vendor' => 'Slett Leverandør',
+ 'view_vendor' => 'Vis Leverandør',
+ 'deleted_expense' => 'Successfully deleted expense',
+ 'archived_expense' => 'Successfully archived expense',
+ 'deleted_expenses' => 'Slettet utgifter',
+ 'archived_expenses' => 'Arkiverte utgifter',
+ 'expense_amount' => 'Expense Amount',
+ 'expense_balance' => 'Expense Balance',
+ 'expense_date' => 'Utgiftsdato',
+ 'expense_should_be_invoiced' => 'Should this expense be invoiced?',
+ 'public_notes' => 'Offentlig notater',
+ 'invoice_amount' => 'Invoice Amount',
+ 'exchange_rate' => 'Exchange Rate',
+ 'yes' => 'Yes',
+ 'no' => 'No',
+ 'should_be_invoiced' => 'Should be invoiced',
+ 'view_expense' => 'View expense # :expense',
+ 'edit_expense' => 'Edit Expense',
+ 'archive_expense' => 'Arkiver Utgift',
+ 'delete_expense' => 'Delete Expense',
+ 'view_expense_num' => 'Expense # :expense',
+ 'updated_expense' => 'Successfully updated expense',
+ 'created_expense' => 'Successfully created expense',
+ 'enter_expense' => 'Angi Utgift',
+ 'view' => 'View',
+ 'restore_expense' => 'Restore Expense',
+ 'invoice_expense' => 'Invoice Expense',
+ 'expense_error_multiple_clients' => 'Utgiftene kan ikke tilhøre flere kunder',
+ 'expense_error_invoiced' => 'Expense has already been invoiced',
+ 'convert_currency' => 'Convert currency',
+ 'num_days' => 'Antall dager',
+ 'create_payment_term' => 'Create Payment Term',
+ 'edit_payment_terms' => 'Edit Payment Term',
+ 'edit_payment_term' => 'Edit Payment Term',
+ 'archive_payment_term' => 'Archive Payment Term',
+ 'recurring_due_dates' => 'Recurring Invoice Due Dates',
+ '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.
+
+
',
+ 'due' => 'Forfaller',
+ 'next_due_on' => 'Forfaller neste: :date',
+ 'use_client_terms' => 'Use client terms',
+ 'day_of_month' => ':ordinal dag i måned',
+ 'last_day_of_month' => 'Siste dag i måned',
+ 'day_of_week_after' => ':ordinal :day after',
+ 'sunday' => 'Søndag',
+ 'monday' => 'Mandag',
+ 'tuesday' => 'Tirsdag',
+ 'wednesday' => 'Onsdag',
+ 'thursday' => 'Torsdag',
+ 'friday' => 'Fredag',
+ 'saturday' => 'Lørdag',
+ 'header_font_id' => 'Header Font',
+ 'body_font_id' => 'Body Font',
+ 'color_font_help' => 'Note: the primary color and fonts are also used in the client portal and custom email designs.',
+ 'live_preview' => 'Live Preview',
+ 'invalid_mail_config' => 'Unable to send email, please check that the mail settings are correct.',
+ 'invoice_message_button' => 'To view your invoice for :amount, click the button below.',
+ 'quote_message_button' => 'To view your quote for :amount, click the button below.',
+ 'payment_message_button' => 'Thank you for your payment of :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Bankkort & Banker',
+ 'add_bank_account' => 'Legg til bankkonto',
+ 'setup_account' => 'Setup Account',
+ 'import_expenses' => 'Importer Utgifter',
+ 'bank_id' => 'Bank',
+ 'integration_type' => 'Integration Type',
+ 'updated_bank_account' => 'Oppdaterte bankkonto',
+ 'edit_bank_account' => 'Rediger Bankkonto',
+ 'archive_bank_account' => 'Arkiver Bankkonto',
+ 'archived_bank_account' => 'Arkiverte bankkonto',
+ 'created_bank_account' => 'Successfully created bank account',
+ 'validate_bank_account' => 'Validate Bank Account',
+ 'bank_password_help' => 'PS: Passordet ditt blir sendt sikkert og blir ikke lagret på våre servere.',
+ 'bank_password_warning' => 'Warning: your password may be transmitted in plain text, consider enabling HTTPS.',
+ 'username' => 'Brukernavn',
+ 'account_number' => 'Kontonummer',
+ 'account_name' => 'Kontonavn',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Godkjent',
+ 'quote_settings' => 'Tilbudsinnstillinger',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved by a client.',
+ 'validate' => 'Valider',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Opprettet :count_vendors leverandør(er) og :count_expenses utgift(er)',
+ 'iframe_url_help3' => 'Note: if you plan on accepting credit cards details we strongly recommend enabling HTTPS on your site.',
+ 'expense_error_multiple_currencies' => 'The expenses can\'t have different currencies.',
+ 'expense_error_mismatch_currencies' => 'The client\'s currency does not match the expense currency.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'Første side',
+ 'all_pages' => 'Alle sider',
+ 'last_page' => 'Siste side',
+ 'all_pages_header' => 'Show header on',
+ 'all_pages_footer' => 'Show footer on',
+ 'invoice_currency' => 'Fakturavaluta',
+ 'enable_https' => 'We strongly recommend using HTTPS to accept credit card details online.',
+ 'quote_issued_to' => ' Faktura sendt til ',
+ 'show_currency_code' => 'Valutakode',
+ 'free_year_message' => 'Din konto har blitt oppgradert til Pro-plan i ett år helt gratis.',
+ 'trial_message' => 'Your account will receive a free two week trial of our pro plan.',
+ 'trial_footer' => 'Din gratis Pro-plan prøveperiode varer :count flere dager, :link for å oppgradere nå.',
+ 'trial_footer_last_day' => 'Dette er den siste dagen i Pro-plan prøveperioden , :link for å oppgradere nå.',
+ 'trial_call_to_action' => 'Start Free Trial',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Forfalt',
+
+
+ 'white_label_text' => 'Kjøp ett års white-label-lisens for $:price for å fjerne Invoice Ninja branding fra fakturaer og kundeportal.',
+ 'user_email_footer' => 'For å justere varslingsinnstillingene vennligst besøk :link',
+ 'reset_password_footer' => 'Hvis du ikke ba om å få nullstillt ditt passord, vennligst kontakt kundeservice: :email',
+ 'limit_users' => 'Dessverre, vil dette overstige grensen på :limit brukere',
+ 'more_designs_self_host_header' => 'Få 6 flere design for bare $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link for å fjerne Invoice Ninja-logoen, oppgrader til en Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Klikk her',
+ 'invitation_status_sent' => 'Sendt',
+ 'invitation_status_opened' => 'Åpnet',
+ 'invitation_status_viewed' => 'Vist',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Emails can not be sent to inactive invoices',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'List Invoices',
+ 'list_clients' => 'List Clients',
+ 'list_quotes' => 'List Quotes',
+ 'list_tasks' => 'List Tasks',
+ 'list_expenses' => 'Liste Utgifter',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => 'List Payments',
+ 'list_credits' => 'List Credits',
+ 'tax_name' => 'Skattenavn',
+ 'report_settings' => 'Rapportalternativer',
+ 'search_hotkey' => 'snarvei er /',
+
+ 'new_user' => 'New User',
+ 'new_product' => 'Nytt Produkt',
+ 'new_tax_rate' => 'Ny Skattesats',
+ 'invoiced_amount' => 'Invoiced Amount',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Gjentakende nummer',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Passord-beskytt fakturaer',
+ 'enable_portal_password_help' => 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
+ 'send_portal_password' => 'Opprett Automatisk',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Expired',
+ 'invalid_card_number' => 'The credit card number is not valid.',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Kostnad',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Owner',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Partial Due',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'Januar',
+ 'february' => 'Februar',
+ 'march' => 'Mars',
+ 'april' => 'April',
+ 'may' => 'Mai',
+ 'june' => 'Juni',
+ 'july' => 'Juli',
+ 'august' => 'August',
+ 'september' => 'September',
+ 'october' => 'Oktober',
+ 'november' => 'November',
+ 'december' => 'Desember',
+
+ // Documents
+ 'documents_header' => 'Dokumenter:',
+ 'email_documents_header' => 'Dokumenter:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Tilbudsdokumenter',
+ 'invoice_documents' => 'Fakturadokumenter',
+ 'expense_documents' => 'Utgiftsdokumenter',
+ 'invoice_embed_documents' => 'Embed Dokumenter',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Legg ved dokumenter',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Last ned dokumenter (:size)',
+ 'documents_from_expenses' => 'Fra Utgifter:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Dokumenter',
+ 'document_date' => 'Dokumentdato',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Kundeportal',
+ 'enable_client_portal_help' => 'Show/hide the dashboard page in the client portal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Kontoadministrasjon',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Månedlig',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Måned',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/måned',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Oppdaterte planinnstillinger',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Blitt endret til månedlig :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Live Preview',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'Enterprise-planen gir mulighet for flere brukere og filvedlegg, :link for å se hele listen med funksjoner.',
+ 'return_to_app' => 'Tilbake til App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refunder Betaling',
+ 'refund_max' => 'Maks:',
+ 'refund' => 'Refunder',
+ 'are_you_sure_refund' => 'Refunder valgte betalinger?',
+ 'status_pending' => 'Avventer',
+ 'status_completed' => 'Fullført',
+ 'status_failed' => 'Feilet',
+ 'status_partially_refunded' => 'Delvis Refundert',
+ 'status_partially_refunded_amount' => ':amount Refundert',
+ 'status_refunded' => 'Refundert',
+ 'status_voided' => 'Kansellert',
+ 'refunded_payment' => 'Refundert Betaling',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Ukjent',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Tillat bankoverføringer fra USA',
+ 'stripe_ach_help' => 'ACH-støtte må også være aktivert: :link.',
+ 'ach_disabled' => 'En annen gateway er allerede konfigurert for direkte belastning',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Kunde-ID',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Andre tilbydere',
+ 'country_not_supported' => 'Landet er ikke støttet.',
+ 'invalid_routing_number' => 'Rutingsnummeret er ikke gyldig.',
+ 'invalid_account_number' => 'Kontonummeret er ikke gyldig.',
+ 'account_number_mismatch' => 'The account numbers do not match.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Firmakonto',
+ 'account_holder_name' => 'Kontoeiernavn',
+ 'add_account' => 'Legg til konto',
+ 'payment_methods' => 'Betalingsmåte',
+ 'complete_verification' => 'Ferdigstill Verifisering',
+ 'verification_amount1' => 'Beløp 1',
+ 'verification_amount2' => 'Beløp 2',
+ 'payment_method_verified' => 'Verifisering ble velykket',
+ 'verification_failed' => 'Verifisering feilet',
+ 'remove_payment_method' => 'Fjern Betalingsmåte',
+ 'confirm_remove_payment_method' => 'Er du sikker på at du vil fjerne denne betalingsmåten?',
+ 'remove' => 'Fjern',
+ 'payment_method_removed' => 'Fjernet betalingsmåte.',
+ 'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Ukjent Bank',
+ 'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
+ 'add_credit_card' => 'Legg til bankkort',
+ 'payment_method_added' => 'Betalingsmåte ble lagt til.',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook-URL',
+ 'stripe_webhook_help' => 'Du må :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Legg til Betalingsmåte',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Alltid',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Aktivert',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'Du må også :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Lagre betalingsdetaljer',
+ 'add_paypal_account' => 'Legg til PayPal-konto',
+
+
+ 'no_payment_method_specified' => 'Ingen betalingsmåte er spesifisert',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Formater',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Bruk en annen tilbyder',
+ 'company_name' => 'Firmanavn',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Administrer konto',
+ 'action_required' => 'Handling kreves',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Tillat Debetkort',
+ 'debit_cards' => 'Debetkort',
+
+ 'warn_start_date_changed' => 'Den neste fakturaen vil bli sendt på den nye startdatoen.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Opprinnelig startdato',
+ 'new_start_date' => 'Ny startdato',
+ 'security' => 'Sikkerhet',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Aktiver for å spesifisere en ekstra skattesats',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Product File',
+ 'import_products' => 'Importer Produkter',
+ 'products_will_create' => 'produkter vil bli opprettet',
+ 'product_key' => 'Produkt',
+ 'created_products' => 'Opprettet/Oppdaterte :count produkt(er)',
+ 'export_help' => 'Bruk JSON hvis du planlegger å importere dataene til Invoice Ninja.
Filen inneholder kunder, produkter, fakturaer, tilbud og betalinger.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON-fil',
+
+ 'view_dashboard' => 'View Dashboard',
+ 'client_session_expired' => 'Session Expired',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bankkonto',
+ 'auto_bill_payment_method_credit_card' => 'betalingskort',
+ 'auto_bill_payment_method_paypal' => 'PayPal-konto',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Betalingsinnstillinger',
+
+ 'on_send_date' => 'På sendingsdato',
+ 'on_due_date' => 'Ved forfallsdato',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bankkonto',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Personvernregler',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Verification Pending',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'More options',
+ 'credit_card' => 'Betalingskort',
+ 'bank_transfer' => 'Bankoverføring',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Lagt til :date',
+ 'failed_remove_payment_method' => 'Klarte ikke å fjerne betalingsmåte',
+ 'gateway_exists' => 'This gateway already exists',
+ 'manual_entry' => 'Manual entry',
+ 'start_of_week' => 'Første dag i uken',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Ukentlig',
+ 'freq_biweekly' => 'Annehver uke',
+ 'freq_two_weeks' => 'To uker',
+ 'freq_four_weeks' => 'Fire uker',
+ 'freq_monthly' => 'Månedlig',
+ 'freq_three_months' => 'Tre måneder',
+ 'freq_four_months' => 'Fire måneder',
+ 'freq_six_months' => 'Seks måneder',
+ 'freq_annually' => 'Årlig',
+ 'freq_two_years' => 'To år',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Bankoverføring',
+ 'payment_type_Cash' => 'Kontanter',
+ 'payment_type_Debit' => 'Debet',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visakort',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Andre Betalingskort',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Sjekk',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Regnskap & Juridisk',
+ 'industry_Advertising' => 'Reklame',
+ 'industry_Aerospace' => 'Luftfart',
+ 'industry_Agriculture' => 'Jordbruk',
+ 'industry_Automotive' => 'Bil',
+ 'industry_Banking & Finance' => 'Bank & Finans',
+ 'industry_Biotechnology' => 'Bioteknologi',
+ 'industry_Broadcasting' => 'Kringkasting',
+ 'industry_Business Services' => 'Bedriftstjenester',
+ 'industry_Commodities & Chemicals' => 'Råvarer & kjemikalier',
+ 'industry_Communications' => 'Kommunikasjon',
+ 'industry_Computers & Hightech' => 'Datamaskiner & høyteknologi',
+ 'industry_Defense' => 'Forsvar',
+ 'industry_Energy' => 'Kraft',
+ 'industry_Entertainment' => 'Underholdning',
+ 'industry_Government' => 'Statlig',
+ 'industry_Healthcare & Life Sciences' => 'Helse- og livsvitenskap',
+ 'industry_Insurance' => 'Forsikring',
+ 'industry_Manufacturing' => 'Produksjon',
+ 'industry_Marketing' => 'Markedsføring',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Ideelle virksomheter og høyere utdanning',
+ 'industry_Pharmaceuticals' => 'Farmasi',
+ 'industry_Professional Services & Consulting' => 'Konsulenttjenester',
+ 'industry_Real Estate' => 'Eiendom',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Detaljhandel & engros',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Reise & Luksus',
+ 'industry_Other' => 'Andre',
+ 'industry_Photography' => 'Foto',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarktis',
+ 'country_Algeria' => 'Algerie',
+ 'country_American Samoa' => 'Amerikansk Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Aserbajdsjan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia-Hercegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brasil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'Kina',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Kuba',
+ 'country_Cyprus' => 'Kypros',
+ 'country_Czech Republic' => 'Tsjekkia',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Danmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estland',
+ 'country_Faroe Islands' => 'Færøyene',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland',
+ 'country_France' => 'Frankrike',
+ 'country_French Guiana' => 'Fransk Guyana',
+ 'country_French Polynesia' => 'Fransk Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Tyskland',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Hellas',
+ 'country_Greenland' => 'Grønland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Ungarn',
+ 'country_Iceland' => 'Island',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Den islamske republikk ',
+ 'country_Iraq' => 'Irak',
+ 'country_Ireland' => 'Irland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italia',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kirgisistan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Libanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Litauen',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagaskar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norge',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Polen',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russland',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi-Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Vietnam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'Sør-Afrika',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spania',
+ 'country_South Sudan' => 'Sør-Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Vest-Sahara',
+ 'country_Suriname' => 'Surinam',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard og Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sverige',
+ 'country_Switzerland' => 'Sveits',
+ 'country_Syrian Arab Republic' => 'Den arabiske republikk Syria',
+ 'country_Tajikistan' => 'Tadsjikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad og Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Tyrkia',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraina',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'Storbritannia',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'USA',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Jemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Kroatia',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Dansk',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'Engelsk',
+ 'lang_French' => 'Fransk',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'Tysk',
+ 'lang_Italian' => 'Italiensk',
+ 'lang_Japanese' => 'Japansk',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norsk',
+ 'lang_Polish' => 'Polsk',
+ 'lang_Spanish' => 'Spansk',
+ 'lang_Spanish - Spain' => 'Spansk - Spania',
+ 'lang_Swedish' => 'Svensk',
+ 'lang_Albanian' => 'Albansk',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'Engelsk - Storbrittania',
+ 'lang_Slovenian' => 'Slovensk',
+ 'lang_Finnish' => 'Finsk',
+ 'lang_Romanian' => 'Rumensk',
+ 'lang_Turkish - Turkey' => 'Tyrkisk - Tyrkia',
+ 'lang_Portuguese - Brazilian' => 'Portugisisk - brasiliansk',
+ 'lang_Portuguese - Portugal' => 'Portugisisk - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Regnskap & Juridisk',
+ 'industry_Advertising' => 'Reklame',
+ 'industry_Aerospace' => 'Luftfart',
+ 'industry_Agriculture' => 'Jordbruk',
+ 'industry_Automotive' => 'Bil',
+ 'industry_Banking & Finance' => 'Bank & Finans',
+ 'industry_Biotechnology' => 'Bioteknologi',
+ 'industry_Broadcasting' => 'Kringkasting',
+ 'industry_Business Services' => 'Bedriftstjenester',
+ 'industry_Commodities & Chemicals' => 'Råvarer & kjemikalier',
+ 'industry_Communications' => 'Kommunikasjon',
+ 'industry_Computers & Hightech' => 'Datamaskiner & høyteknologi',
+ 'industry_Defense' => 'Forsvar',
+ 'industry_Energy' => 'Kraft',
+ 'industry_Entertainment' => 'Underholdning',
+ 'industry_Government' => 'Statlig',
+ 'industry_Healthcare & Life Sciences' => 'Helse- og livsvitenskap',
+ 'industry_Insurance' => 'Forsikring',
+ 'industry_Manufacturing' => 'Produksjon',
+ 'industry_Marketing' => 'Markedsføring',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Ideelle virksomheter og høyere utdanning',
+ 'industry_Pharmaceuticals' => 'Farmasi',
+ 'industry_Professional Services & Consulting' => 'Konsulenttjenester',
+ 'industry_Real Estate' => 'Eiendom',
+ 'industry_Retail & Wholesale' => 'Detaljhandel & engros',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Reise & Luksus',
+ 'industry_Other' => 'Andre',
+ 'industry_Photography' =>'Foto',
+
+ 'view_client_portal' => 'Vis kundeportal',
+ 'view_portal' => 'Vis Portal',
+ 'vendor_contacts' => 'Leverandørkontakter',
+ 'all' => 'Alle',
+ 'selected' => 'Valgt',
+ 'category' => 'Kategori',
+ 'categories' => 'Kategorier',
+ 'new_expense_category' => 'Ny Utgiftskategori',
+ 'edit_category' => 'Rediger Utgiftskategori',
+ 'archive_expense_category' => 'Arkiver Kategori',
+ 'expense_categories' => 'Utgiftskategorier',
+ 'list_expense_categories' => 'Liste Utgiftskategorier',
+ 'updated_expense_category' => 'Oppdaterte utgiftskategori',
+ 'created_expense_category' => 'Utgiftskategori ble opprettet',
+ 'archived_expense_category' => 'Utgiftskategori ble arkivert',
+ 'archived_expense_categories' => ':count utgiftskategorier ble arkivert',
+ 'restore_expense_category' => 'Gjenopprett utgiftskategori',
+ 'restored_expense_category' => 'Utgiftskategori ble gjenopprettet',
+ 'apply_taxes' => 'Legg til skatt',
+ 'min_to_max_users' => ':min til :max brukere',
+ 'max_users_reached' => 'Maksimalt antall brukere er nådd.',
+ 'buy_now_buttons' => 'Betal Nå-knapper',
+ 'landing_page' => 'Landingsside',
+ 'payment_type' => 'Betalingstype',
+ 'form' => 'Skjema',
+ 'link' => 'Lenke',
+ 'fields' => 'Felter',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Aktiver støtte for Kjøp Nå-knapper',
+ 'changes_take_effect_immediately' => 'Merk: Endringer trer i kraft umiddelbart',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Something went wrong',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Please select a contact',
+ 'no_client_selected' => 'Please select a client',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Add 1 :product',
+ 'not_authorized' => 'You are not authorized',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Inkluder produktlinje-skatter i totalen',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Oppdater',
+ 'update_invoiceninja_title' => 'Oppdater Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Oppdater nå',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Oppgave',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Dag',
+ 'week' => 'Uke',
+ 'month' => 'Måned',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Rapporter',
+ 'total_profit' => 'Total Fortjeneste',
+ 'total_expenses' => 'Totale Utgifter',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Maks',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Datoperiode',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Oppdater',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'Ny Kategori',
+ 'restore_product' => 'Gjenopprett Produkt',
+ 'blank' => 'Tom',
+ 'invoice_save_error' => 'Det oppstod en feil under lagring av fakturaen',
+ 'enable_recurring' => 'Aktiver Gjentakende',
+ 'disable_recurring' => 'Deaktiver Gjentakende',
+ 'text' => 'Tekst',
+ 'expense_will_create' => 'utgift vil bli opprettet',
+ 'expenses_will_create' => 'utgifter vil bli opprettet',
+ 'created_expenses' => 'Opprettet :count utgift(er)',
+
+ 'translate_app' => 'Bidra til å forbedre våre oversettelser med :link',
+ 'expense_category' => 'Utgiftskategori',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Legg ved tredjeparts filer til fakturaer & utgifter',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Send',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Laget av :name',
+ 'modules' => 'Moduler',
+ 'financial_year_start' => 'Første måned i året',
+ 'authentication' => 'Autentisering',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signatur',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Faktura-signatur',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Tilbuds-signatur',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'Jeg godtar vilkårene',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Autorisasjon',
+ 'signed' => 'Signert',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Opprett en konto',
+ 'quote_types' => 'Få et tilbud for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Linje av kreditt',
+ 'fico_score' => 'Din FICO-poengsum',
+ 'business_inception' => 'Bedriftens stiftelsesdato',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Årlig omsetning',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'Dette feltet er obligatorisk',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Kredittlinje',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Linje av Kreditt',
+ 'bluevine_interest_rate' => 'Rente',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Leverandør',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Dato Opprettet',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Prosjekt',
+ 'projects' => 'Prosjekter',
+ 'new_project' => 'Nytt Prosjekt',
+ 'edit_project' => 'Rediger Prosjekt',
+ 'archive_project' => 'Arkiver Prosjekt',
+ 'list_projects' => 'Liste Prosjekter',
+ 'updated_project' => 'Oppdaterte prosjekt',
+ 'created_project' => 'Opprettet prosjekt',
+ 'archived_project' => 'Arkiverte prosjekt',
+ 'archived_projects' => 'Arkiverte :count prosjekter',
+ 'restore_project' => 'Gjenopprett Prosjekt',
+ 'restored_project' => 'Gjenopprettet prosjekt',
+ 'delete_project' => 'Slett Prosjekt',
+ 'deleted_project' => 'Slettet prosjekt',
+ 'deleted_projects' => 'Slettet :count prosjekter',
+ 'delete_expense_category' => 'Slett kategori',
+ 'deleted_expense_category' => 'Slettet kategori',
+ 'delete_product' => 'Slett Produkt',
+ 'deleted_product' => 'Slettet produkt',
+ 'deleted_products' => 'Slettet :count produkter',
+ 'restored_product' => 'Gjenopprettet produkt',
+ 'update_credit' => 'Oppdater Kredit',
+ 'updated_credit' => 'Kredit oppdatert',
+ 'edit_credit' => 'Rediger Kredit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Lagre Kladd',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Tastatursnarveier',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'Ny ...',
+ 'list_...' => 'Liste ...',
+ 'created_at' => 'Dato Opprettet',
+ 'contact_us' => 'Kontakt Oss',
+ 'user_guide' => 'Brukerguide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount av utløper :expires',
+ 'mark_paid' => 'Merk som betalt',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Faktura',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Siste 7 dager',
+ 'last_30_days' => 'Siste 30 dager',
+ 'this_month' => 'Denne måneden',
+ 'last_month' => 'Siste måned',
+ 'last_year' => 'Siste år',
+ 'custom_range' => 'Tilpass Utvalg',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Krev',
+ 'license_expiring' => 'Merk: Din lisens will utløpe om :count dager, :link for å fornye den.',
+ 'security_confirmation' => 'Din e-postadresse ble bekreftet.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone-app',
+ 'android_app' => 'Android-app',
+ 'logged_in' => 'Innlogget',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inklusiv',
+ 'exclusive' => 'Ekslusiv',
+ 'postal_city_state' => 'Postnr./Sted/Fylke',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Kundenummer',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'Det neste kundenummeret er :number.',
+ 'generated_numbers' => 'Genererte Nummere',
+ 'notes_reminder1' => 'Første Påminnelse',
+ 'notes_reminder2' => 'Andre Påminnelse',
+ 'notes_reminder3' => 'Tredje Påminnelse',
+ 'bcc_email' => 'BCC E-post',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'E-postfakturaer sendt',
+ 'emailed_quotes' => 'Tilbud sendt som e-post',
+ 'website_url' => 'Nettside-adresse',
+ 'domain' => 'Domene',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Importer Fakturaer',
+ 'new_report' => 'Ny Rapport',
+ 'edit_report' => 'Rediger Rapport',
+ 'columns' => 'Kolonner',
+ 'filters' => 'Filtre',
+ 'sort_by' => 'Grupper Etter',
+ 'draft' => 'Kladd',
+ 'unpaid' => 'Ubetalt',
+ 'aging' => 'Aging',
+ 'age' => 'Alder',
+ 'days' => 'Dager',
+ 'age_group_0' => '0 - 30 Dager',
+ 'age_group_30' => '30 - 60 Dager',
+ 'age_group_60' => '60 - 90 Dager',
+ 'age_group_90' => '90 - 120 Dager',
+ 'age_group_120' => 'Mer enn 120 dager',
+ 'invoice_details' => 'Fakturadetaljer',
+ 'qty' => 'Antall',
+ 'profit_and_loss' => 'Fortjeneste og Tap',
+ 'revenue' => 'Omsetning',
+ 'profit' => 'Fortjeneste',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Grupper Datoer Etter',
+ 'year' => 'År',
+ 'view_statement' => 'Se Erklæring',
+ 'statement' => 'Erklæring',
+ 'statement_date' => 'Erklæringsdato',
+ 'mark_active' => 'Sett Aktiv',
+ 'send_automatically' => 'Send Automatisk',
+ 'initial_email' => 'Første E-post',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent av :user',
+ 'recipients' => 'Mottakere',
+ 'save_as_default' => 'Sett som standard',
+ 'template' => 'Mal',
+ '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.',
+ 'this_year' => 'Dette Året',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Opprett. Send. Få Betalt.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Registrer Nå',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Kundeinnlogging',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Fakturaer Fra:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Fullt Navn',
+ 'month_year' => 'MÅNED/ÅR',
+ 'valid_thru' => 'Gyldig\ngjennom',
+
+ 'product_fields' => 'Produktfelter',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'To måneder',
+ 'freq_yearly' => 'Årlig',
+ 'profile' => 'Profil',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Din Erklæring',
+ 'statement_issued_to' => 'Erklæring sendt til',
+ 'statement_to' => 'Erklæring til',
+ 'customize_options' => 'Tilpass alternativer',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Opprett prosjekt',
+ 'create_vendor' => 'Opprett leverandør',
+ 'create_expense_category' => 'Opprett kategori',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Begrensninger',
+ 'fees' => 'Avgifter',
+ 'fee' => 'Avgift',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'Ingen Avgifter',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Prosent',
+ 'location' => 'Lokasjon',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Tilleggsgebyr',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'Bildet er for stort.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Nullstill Teller',
+ 'next_reset' => 'Neste Nullstilling',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Logg ut/Slett konto',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Kreditnota',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Din Kredit',
+ 'credit_number' => 'Kreditnummer',
+ 'create_credit_note' => 'Opprett Kreditnota',
+ 'menu' => 'Meny',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Viser :start til :end av :total oppføringer',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Legg ved dokumenter til faktura',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'utgift',
+ 'resume_task' => 'Fortsett Oppgave',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Databasetilkobling',
+ 'driver' => 'Driver',
+ 'host' => 'Tjener',
+ 'database' => 'Database',
+ 'test_connection' => 'Test tilkobling',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test-e-post',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Gjentakende Utgifter',
+ 'recurring_expense' => 'Gjentakende Utgift',
+ 'new_recurring_expense' => 'Opprett Gjentakende Utgift',
+ 'edit_recurring_expense' => 'Rediger Gjentakende Utgift',
+ 'archive_recurring_expense' => 'Arkiver Gjentakende Utgift',
+ 'list_recurring_expense' => 'Liste Gjentakende Utgifter',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'Vis Gjentakende Utgift',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Produktnotater',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Kopier Utgift',
+ 'default_documents' => 'Standard-dokumenter',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Oppføringsnotater',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Tillat bankoverføringer fra EU',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Kalender',
+ 'pro_plan_calendar' => ':link for å aktivere kalenderen ved å ta i bruk Pro-plan',
+
+ 'what_are_you_working_on' => 'Hva jobber du med?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stoppede',
+ 'ascending' => 'Stigende',
+ 'descending' => 'Synkende',
+ 'sort_field' => 'Grupper Etter',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Oppgavesats',
+ 'task_rate_help' => 'Setter standardrate for fakturerte oppgaver.',
+ 'past_due' => 'Forfalt',
+ 'document' => 'Dokument',
+ 'invoice_or_expense' => 'Faktura/Utgift',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Bruk',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'To-faktor-autentisering',
+ 'enable_two_factor_help' => 'Bruk telefonen til å bekrefte identiteten din når du logger inn',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Aktiverte To-faktor-autentisering',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Fakturer Produkt',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Kundeinnlogging',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Leveringsadresse',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Klassifiser',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Vis oppgaver i kundeportalen',
+ 'cancel_schedule' => 'Kansellerer Planlegging',
+ 'scheduled_report' => 'Planlagt Rapport',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Legg til abonnement',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Opprettet leverandør',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Oppdaterte leverandør',
+ 'subscription_event_14' => 'Slettet leverandør',
+ 'subscription_event_15' => 'Opprettet utgift',
+ 'subscription_event_16' => 'Oppdaterte utgift',
+ 'subscription_event_17' => 'Slettet utgift',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Abonnementer',
+ 'updated_subscription' => 'Oppdaterte abonnement',
+ 'created_subscription' => 'Abonnement opprettet',
+ 'edit_subscription' => 'Rediger Abonnement',
+ 'archive_subscription' => 'Arkiver Abonnement',
+ 'archived_subscription' => 'Abonnement arkivert',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Oppgaver & Prosjekter',
+ 'module_expense' => 'Utgifter & Leverandører',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Oppgaver er synlige i portalen',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Inkluder skatter i kostnaden',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Viser 0 til 0 av 0 oppføringer',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Klarer for 30 dager',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'Vis Prosjekt',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Mal',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/nb_NO/validation.php b/resources/lang/nb_NO/validation.php
new file mode 100644
index 000000000000..8ac62538cdc2
--- /dev/null
+++ b/resources/lang/nb_NO/validation.php
@@ -0,0 +1,104 @@
+ ":attribute må være akseptert.",
+ "active_url" => ":attribute er ikke en gyldig nettadresse.",
+ "after" => ":attribute må være en dato etter :date.",
+ "alpha" => ":attribute kan kun inneholde bokstaver.",
+ "alpha_dash" => ":attribute kan kun inneholde bokstaver, sifre, og bindestreker.",
+ "alpha_num" => ":attribute kan kun inneholde bokstaver og sifre.",
+ "array" => ":attribute må være en matrise.",
+ "before" => ":attribute må være en dato før :date.",
+ "between" => array(
+ "numeric" => ":attribute må være mellom :min - :max.",
+ "file" => ":attribute må være mellom :min - :max kilobytes.",
+ "string" => ":attribute må være mellom :min - :max tegn.",
+ "array" => ":attribute må ha mellom :min - :max elementer.",
+ ),
+ "confirmed" => ":attribute bekreftelsen stemmer ikke",
+ "date" => ":attribute er ikke en gyldig dato.",
+ "date_format" => ":attribute samsvarer ikke med formatet :format.",
+ "different" => ":attribute og :other må være forskjellig.",
+ "digits" => ":attribute må være :digits sifre.",
+ "digits_between" => ":attribute må være mellom :min og :max sifre.",
+ "email" => ":attribute formatet er ugyldig.",
+ "exists" => "Valgt :attribute er ugyldig.",
+ "image" => ":attribute må være et bilde.",
+ "in" => "Valgt :attribute er ugyldig.",
+ "integer" => ":attribute må være heltall.",
+ "ip" => ":attribute må være en gyldig IP-adresse.",
+ "max" => array(
+ "numeric" => ":attribute kan ikke være høyere enn :max.",
+ "file" => ":attribute kan ikke være større enn :max kilobytes.",
+ "string" => ":attribute kan ikke være mer enn :max tegn.",
+ "array" => ":attribute kan ikke inneholde mer enn :max elementer.",
+ ),
+ "mimes" => ":attribute må være av filtypen: :values.",
+ "min" => array(
+ "numeric" => ":attribute må minimum være :min.",
+ "file" => ":attribute må minimum være :min kilobytes.",
+ "string" => ":attribute må minimum være :min tegn.",
+ "array" => ":attribute må inneholde minimum :min elementer.",
+ ),
+ "not_in" => "Valgt :attribute er ugyldig.",
+ "numeric" => ":attribute må være et siffer.",
+ "regex" => ":attribute formatet er ugyldig.",
+ "required" => ":attribute er påkrevd.",
+ "required_if" => ":attribute er påkrevd når :other er :value.",
+ "required_with" => ":attribute er påkrevd når :values er valgt.",
+ "required_without" => ":attribute er påkrevd når :values ikke er valgt.",
+ "same" => ":attribute og :other må samsvare.",
+ "size" => array(
+ "numeric" => ":attribute må være :size.",
+ "file" => ":attribute må være :size kilobytes.",
+ "string" => ":attribute må være :size tegn.",
+ "array" => ":attribute må inneholde :size elementer.",
+ ),
+ "unique" => ":attribute er allerede blitt tatt.",
+ "url" => ":attribute formatet er ugyldig.",
+
+ "positive" => ":attribute må være mer enn null.",
+ "has_credit" => "Klienten har ikke høy nok kreditt.",
+ "notmasked" => "Verdiene er skjult",
+ "less_than" => ':attribute må være mindre enn :value',
+ "has_counter" => 'Verdien må inneholde {$counter}',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(),
+
+);
diff --git a/resources/lang/nl/pagination.php b/resources/lang/nl/pagination.php
new file mode 100644
index 000000000000..6f99c193afa5
--- /dev/null
+++ b/resources/lang/nl/pagination.php
@@ -0,0 +1,20 @@
+ '« Vorige',
+
+ 'next' => 'Volgende »',
+
+);
diff --git a/resources/lang/nl/passwords.php b/resources/lang/nl/passwords.php
new file mode 100644
index 000000000000..822259335ca9
--- /dev/null
+++ b/resources/lang/nl/passwords.php
@@ -0,0 +1,22 @@
+ "Het wachtwoord moet minimaal zes tekens lang zijn en moet overeenkomen met de bevestiging.",
+ "user" => "We kunnen geen gebruiker vinden met het opgegeven e-mailadres.",
+ "token" => "Het wachtwoord reset token is ongeldig.",
+ "sent" => "We hebben u een wachtwoord reset link gemaild!",
+ "reset" => "Je wachtwoord is opnieuw ingesteld!",
+
+];
diff --git a/resources/lang/nl/reminders.php b/resources/lang/nl/reminders.php
new file mode 100644
index 000000000000..1a517a658edd
--- /dev/null
+++ b/resources/lang/nl/reminders.php
@@ -0,0 +1,24 @@
+ "Wachtwoord moet minimaal zes tekens lang zijn en de wachtwoorden moeten overeenkomen.",
+
+ "user" => "Geen gebruiker bekend met dat e-mailadres.",
+
+ "token" => "Dit wachtwoord reset token is niet geldig.",
+
+ "sent" => "Wachtwoord herinnering verzonden!",
+
+);
diff --git a/resources/lang/nl/texts.php b/resources/lang/nl/texts.php
new file mode 100644
index 000000000000..8853b2df1996
--- /dev/null
+++ b/resources/lang/nl/texts.php
@@ -0,0 +1,2864 @@
+ 'Organisatie',
+ 'name' => 'Naam',
+ 'website' => 'Website',
+ 'work_phone' => 'Telefoon',
+ 'address' => 'Adres',
+ 'address1' => 'Straat',
+ 'address2' => 'Toevoeging/Afdeling',
+ 'city' => 'Plaats',
+ 'state' => 'Staat/Provincie',
+ 'postal_code' => 'Postcode',
+ 'country_id' => 'Land',
+ 'contacts' => 'Contactpersonen',
+ 'first_name' => 'Voornaam',
+ 'last_name' => 'Achternaam',
+ 'phone' => 'Telefoon',
+ 'email' => 'E-mailadres',
+ 'additional_info' => 'Extra informatie',
+ 'payment_terms' => 'Betalingsvoorwaarden',
+ 'currency_id' => 'Munteenheid',
+ 'size_id' => 'Grootte',
+ 'industry_id' => 'Industrie',
+ 'private_notes' => 'Privé notities',
+ 'invoice' => 'Factuur',
+ 'client' => 'Klant',
+ 'invoice_date' => 'Factuurdatum',
+ 'due_date' => 'Vervaldatum',
+ 'invoice_number' => 'Factuurnummer',
+ 'invoice_number_short' => 'Factuur #',
+ 'po_number' => 'Bestelnummer',
+ 'po_number_short' => 'Bestel #',
+ 'frequency_id' => 'Frequentie',
+ 'discount' => 'Korting',
+ 'taxes' => 'Belastingen',
+ 'tax' => 'Belasting',
+ 'item' => 'Artikel',
+ 'description' => 'Omschrijving',
+ 'unit_cost' => 'Eenheidsprijs',
+ 'quantity' => 'Aantal',
+ 'line_total' => 'Totaal',
+ 'subtotal' => 'Subtotaal',
+ 'paid_to_date' => 'Betaald',
+ 'balance_due' => 'Te voldoen',
+ 'invoice_design_id' => 'Ontwerp',
+ 'terms' => 'Voorwaarden',
+ 'your_invoice' => 'Uw factuur',
+ 'remove_contact' => 'Verwijder contact',
+ 'add_contact' => 'Contact toevoegen',
+ 'create_new_client' => 'Maak nieuwe klant',
+ 'edit_client_details' => 'Klantdetails aanpassen',
+ 'enable' => 'Activeer',
+ 'learn_more' => 'Kom meer te weten',
+ 'manage_rates' => 'Beheer prijzen',
+ 'note_to_client' => 'Bericht aan klant',
+ 'invoice_terms' => 'Factuur voorwaarden',
+ 'save_as_default_terms' => 'Opslaan als standaard voorwaarden',
+ 'download_pdf' => 'Download PDF',
+ 'pay_now' => 'Betaal nu',
+ 'save_invoice' => 'Factuur opslaan',
+ 'clone_invoice' => 'Kopieer factuur',
+ 'archive_invoice' => 'Archiveer factuur',
+ 'delete_invoice' => 'Verwijder factuur',
+ 'email_invoice' => 'E-mail factuur',
+ 'enter_payment' => 'Betaling invoeren',
+ 'tax_rates' => 'BTW-tarieven',
+ 'rate' => 'Tarief',
+ 'settings' => 'Instellingen',
+ 'enable_invoice_tax' => 'Activeer het specifiëren van BTW op volledige factuur',
+ 'enable_line_item_tax' => 'Activeer het specifiëren van BTW per lijn',
+ 'dashboard' => 'Dashboard',
+ 'clients' => 'Klanten',
+ 'invoices' => 'Facturen',
+ 'payments' => 'Betalingen',
+ 'credits' => 'Kredietnota\'s',
+ 'history' => 'Geschiedenis',
+ 'search' => 'Zoeken',
+ 'sign_up' => 'Aanmelden',
+ 'guest' => 'Gast',
+ 'company_details' => 'Bedrijfsdetails',
+ 'online_payments' => 'Online betalingen',
+ 'notifications' => 'Notificaties',
+ 'import_export' => 'Importeer/Exporteer',
+ 'done' => 'Klaar',
+ 'save' => 'Opslaan',
+ 'create' => 'Aanmaken',
+ 'upload' => 'Uploaden',
+ 'import' => 'Importeer',
+ 'download' => 'Downloaden',
+ 'cancel' => 'Annuleren',
+ 'close' => 'Sluiten',
+ 'provide_email' => 'Geef een geldig e-mailadres aub.',
+ 'powered_by' => 'Factuur gemaakt via',
+ 'no_items' => 'Geen artikelen',
+ 'recurring_invoices' => 'Terugkerende facturen',
+ 'recurring_help' => 'Zend klanten automatisch wekelijks, twee keer per maand, maandelijks, per kwartaal of jaarlijks dezelfde facturen.
+ Gebruik :MONTH, :QUARTER of :YEAR voor dynamische datums. Eenvoudige wiskunde werkt ook, bijvoorbeeld :MONTH-1.
+ Voorbeelden van dynamische factuur variabelen:
+
+ - "Fitnesslidmaatschap voor de maand :MONTH" >> "Fitnesslidmaatschap voor de maand juli"
+ - "Jaarlijks abonnement :YEAR+1" >> "Jaarlijks abonnement 2015"
+ - "Betaling voor :QUARTER+1" >> "Betaling voor Q2"
+
',
+ 'recurring_quotes' => 'Terugkerende offertes',
+ 'in_total_revenue' => 'In totale inkomsten',
+ 'billed_client' => 'Gefactureerde klant',
+ 'billed_clients' => 'Gefactureerde klanten',
+ 'active_client' => 'Actieve klant',
+ 'active_clients' => 'Actieve klanten',
+ 'invoices_past_due' => 'Vervallen facturen',
+ 'upcoming_invoices' => 'Aankomende facturen',
+ 'average_invoice' => 'Gemiddelde factuur',
+ 'archive' => 'Archiveer',
+ 'delete' => 'Verwijder',
+ 'archive_client' => 'Archiveer klant',
+ 'delete_client' => 'Verwijder klant',
+ 'archive_payment' => 'Archiveer betaling',
+ 'delete_payment' => 'Verwijder betaling',
+ 'archive_credit' => 'Archiveer kredietnota',
+ 'delete_credit' => 'Verwijder kredietnota',
+ 'show_archived_deleted' => 'Toon gearchiveerde/verwijderde',
+ 'filter' => 'Filter',
+ 'new_client' => 'Nieuwe klant',
+ 'new_invoice' => 'Nieuwe factuur',
+ 'new_payment' => 'Betaling invoeren',
+ 'new_credit' => 'Krediet invoeren',
+ 'contact' => 'Contact',
+ 'date_created' => 'Aanmaakdatum',
+ 'last_login' => 'Laatste login',
+ 'balance' => 'Saldo',
+ 'action' => 'Actie',
+ 'status' => 'Status',
+ 'invoice_total' => 'Factuur totaal',
+ 'frequency' => 'Frequentie',
+ 'start_date' => 'Startdatum',
+ 'end_date' => 'Einddatum',
+ 'transaction_reference' => 'Transactiereferentie',
+ 'method' => 'Methode',
+ 'payment_amount' => 'Betalingsbedrag',
+ 'payment_date' => 'Betalingsdatum',
+ 'credit_amount' => 'Kredietbedrag',
+ 'credit_balance' => 'Kredietsaldo',
+ 'credit_date' => 'Kredietdatum',
+ 'empty_table' => 'Geen gegevens beschikbaar in de tabel',
+ 'select' => 'Selecteer',
+ 'edit_client' => 'Klant aanpassen',
+ 'edit_invoice' => 'Factuur aanpassen',
+ 'create_invoice' => 'Factuur aanmaken',
+ 'enter_credit' => 'Kredietnota ingeven',
+ 'last_logged_in' => 'Laatste login',
+ 'details' => 'Details',
+ 'standing' => 'Openstaand',
+ 'credit' => 'Krediet',
+ 'activity' => 'Activiteit',
+ 'date' => 'Datum',
+ 'message' => 'Bericht',
+ 'adjustment' => 'Aanpassing',
+ 'are_you_sure' => 'Weet u het zeker?',
+ 'payment_type_id' => 'Betalingstype',
+ 'amount' => 'Bedrag',
+ 'work_email' => 'E-mailadres',
+ 'language_id' => 'Taal',
+ 'timezone_id' => 'Tijdszone',
+ 'date_format_id' => 'Datum formaat',
+ 'datetime_format_id' => 'Datum/Tijd formaat',
+ 'users' => 'Gebruikers',
+ 'localization' => 'Lokalisatie',
+ 'remove_logo' => 'Logo verwijderen',
+ 'logo_help' => 'Ondersteund: JPEG, GIF en PNG',
+ 'payment_gateway' => 'Betalingsmiddel',
+ 'gateway_id' => 'Leverancier',
+ 'email_notifications' => 'E-mailmeldingen',
+ 'email_sent' => 'E-mail mij wanneer een factuur is verzonden',
+ 'email_viewed' => 'E-mail mij wanneer een factuur is bekeken',
+ 'email_paid' => 'E-mail mij wanneer een factuur is betaald',
+ 'site_updates' => 'Site Aanpassingen',
+ 'custom_messages' => 'Aangepaste berichten',
+ 'default_email_footer' => 'Stel standaard e-mailhandtekening in',
+ 'select_file' => 'Selecteer een bestand',
+ 'first_row_headers' => 'Gebruik eerste rij als koppen',
+ 'column' => 'Kolom',
+ 'sample' => 'Voorbeeld',
+ 'import_to' => 'Importeer naar',
+ 'client_will_create' => 'klant zal aangemaakt worden',
+ 'clients_will_create' => 'klanten zullen aangemaakt worden',
+ 'email_settings' => 'E-mailinstellingen',
+ 'client_view_styling' => 'Opmaak klantenportaal',
+ 'pdf_email_attachment' => 'Voeg PDF toe',
+ 'custom_css' => 'Aangepaste CSS',
+ 'import_clients' => 'Importeer Klant Gegevens',
+ 'csv_file' => 'Selecteer CSV bestand',
+ 'export_clients' => 'Exporteer Klant Gegevens',
+ 'created_client' => 'Klant succesvol aangemaakt',
+ 'created_clients' => ':count klanten succesvol aangemaakt',
+ 'updated_settings' => 'Instellingen succesvol aangepast',
+ 'removed_logo' => 'Logo succesvol verwijderd',
+ 'sent_message' => 'Bericht succesvol verzonden',
+ 'invoice_error' => 'Selecteer een klant alstublieft en corrigeer mogelijke fouten',
+ 'limit_clients' => 'Sorry, dit zal de klantenlimiet van :count klanten overschrijden',
+ 'payment_error' => 'Er was een fout bij het verwerken van uw betaling. Probeer later alstublieft opnieuw.',
+ 'registration_required' => 'Meld u aan om een factuur te mailen',
+ 'confirmation_required' => 'Bevestig uw e-mailadres, :link om de bevestigingsmail opnieuw te verzenden.',
+ 'updated_client' => 'Klant succesvol aangepast',
+ 'created_client' => 'Klant succesvol aangemaakt',
+ 'archived_client' => 'Klant succesvol gearchiveerd',
+ 'archived_clients' => ':count klanten succesvol gearchiveerd',
+ 'deleted_client' => 'Klant succesvol verwijderd',
+ 'deleted_clients' => ':count klanten succesvol verwijderd',
+ 'updated_invoice' => 'Factuur succesvol aangepast',
+ 'created_invoice' => 'Factuur succesvol aangemaakt',
+ 'cloned_invoice' => 'Factuur succesvol gekopieerd',
+ 'emailed_invoice' => 'Factuur succesvol gemaild',
+ 'and_created_client' => 'en klant aangemaakt',
+ 'archived_invoice' => 'Factuur succesvol gearchiveerd',
+ 'archived_invoices' => ':count facturen succesvol gearchiveerd',
+ 'deleted_invoice' => 'Factuur succesvol verwijderd',
+ 'deleted_invoices' => ':count facturen succesvol verwijderd',
+ 'created_payment' => 'Betaling succesvol aangemaakt',
+ 'created_payments' => 'Succesvol :count betaling(en) aangemaakt',
+ 'archived_payment' => 'Betaling succesvol gearchiveerd',
+ 'archived_payments' => ':count betalingen succesvol gearchiveerd',
+ 'deleted_payment' => 'Betaling succesvol verwijderd',
+ 'deleted_payments' => ':count betalingen succesvol verwijderd',
+ 'applied_payment' => 'Betaling succesvol toegepast',
+ 'created_credit' => 'Kredietnota succesvol aangemaakt',
+ 'archived_credit' => 'Kredietnota succesvol gearchiveerd',
+ 'archived_credits' => ':count kredietnota\'s succesvol gearchiveerd',
+ 'deleted_credit' => 'Kredietnota succesvol verwijderd',
+ 'deleted_credits' => ':count kredietnota\'s succesvol verwijderd',
+ 'imported_file' => 'Bestand succesvol geïmporteerd',
+ 'updated_vendor' => 'Leverancier succesvol bijgewerkt',
+ 'created_vendor' => 'Leverancier succesvol aangemaakt',
+ 'archived_vendor' => 'Leverancier succesvol gearchiveerd',
+ 'archived_vendors' => 'Succesvol :count leveranciers gearchiveerd',
+ 'deleted_vendor' => 'Leverancier succesvol verwijderd',
+ 'deleted_vendors' => 'Succesvol :count leveranciers verwijderd',
+ 'confirmation_subject' => 'InvoiceNinja Accountbevestiging',
+ 'confirmation_header' => 'Bevestiging Account',
+ 'confirmation_message' => 'Klik op onderstaande link om uw account te bevestigen.',
+ 'invoice_subject' => 'Nieuwe Factuur :number van :account',
+ 'invoice_message' => 'Klik op onderstaande link ow uw factuur van :amount in te zien.',
+ 'payment_subject' => 'Betaling ontvangen',
+ 'payment_message' => 'Bedankt voor uw betaling van :amount.',
+ 'email_salutation' => 'Beste :name,',
+ 'email_signature' => 'Met vriendelijke groeten,',
+ 'email_from' => 'Het InvoiceNinja Team',
+ 'invoice_link_message' => 'Klik op volgende link om de factuur van uw klant te bekijken:',
+ 'notification_invoice_paid_subject' => 'Factuur :invoice is betaald door :client',
+ 'notification_invoice_sent_subject' => 'Factuur :invoice is verstuurd naar :client',
+ 'notification_invoice_viewed_subject' => 'Factuur :invoice is bekeken door :client',
+ 'notification_invoice_paid' => 'Een betaling voor :amount is gemaakt door klant :client voor Factuur :invoice.',
+ 'notification_invoice_sent' => 'Factuur :invoice ter waarde van :amount is per e-mail naar :client verstuurd.',
+ 'notification_invoice_viewed' => ':client heeft factuur :invoice ter waarde van :amount bekeken.',
+ 'reset_password' => 'U kunt het wachtwoord van uw account resetten door op de volgende link te klikken:',
+ 'secure_payment' => 'Veilige betaling',
+ 'card_number' => 'Kaartnummer',
+ 'expiration_month' => 'Verval maand',
+ 'expiration_year' => 'Verval jaar',
+ 'cvv' => 'CVV',
+ 'logout' => 'Afmelden',
+ 'sign_up_to_save' => 'Registreer u om uw werk op te slaan',
+ 'agree_to_terms' => 'Ik ga akkoord met de :terms',
+ 'terms_of_service' => 'Gebruiksvoorwaarden',
+ 'email_taken' => 'Het e-mailadres is al geregistreerd',
+ 'working' => 'Actief',
+ 'success' => 'Succes',
+ 'success_message' => 'U bent succesvol geregistreerd. Ga alstublieft naar de link in de bevestigingsmail om uw e-mailadres te verifiëren.',
+ 'erase_data' => 'Uw account is niet geregistreerd, dit zal uw data permanent verwijderen.',
+ 'password' => 'Wachtwoord',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'Bedankt voor het aanmelden! Zodra uw factuur betaald is zal uw Pro Plan lidmaatschap beginnen.',
+ 'unsaved_changes' => 'U hebt niet opgeslagen wijzigingen',
+ 'custom_fields' => 'Aangepaste velden',
+ 'company_fields' => 'Velden Bedrijf',
+ 'client_fields' => 'Velden Klant',
+ 'field_label' => 'Label Veld',
+ 'field_value' => 'Waarde Veld',
+ 'edit' => 'Bewerk',
+ 'set_name' => 'Bedrijfsnaam instellen',
+ 'view_as_recipient' => 'Bekijk als ontvanger',
+ 'product_library' => 'Productbibliotheek',
+ 'product' => 'Product',
+ 'products' => 'Producten',
+ 'fill_products' => 'Producten Automatisch aanvullen',
+ 'fill_products_help' => 'Een product selecteren zal automatisch de beschrijving en kosten instellen',
+ 'update_products' => 'Producten automatisch aanpassen',
+ 'update_products_help' => 'Aanpassen van een factuur zal automatisch de producten aanpassen',
+ 'create_product' => 'Product maken',
+ 'edit_product' => 'Product aanpassen',
+ 'archive_product' => 'Product Archiveren',
+ 'updated_product' => 'Product Succesvol aangepast',
+ 'created_product' => 'Product Succesvol aangemaakt',
+ 'archived_product' => 'Product Succesvol gearchiveerd',
+ 'pro_plan_custom_fields' => ':link om aangepaste velden in te schakelen door het Pro Plan te nemen',
+ 'advanced_settings' => 'Geavanceerde instellingen',
+ 'pro_plan_advanced_settings' => ':link om de geavanceerde instellingen te activeren door het Pro Plan te nemen',
+ 'invoice_design' => 'Factuurontwerp',
+ 'specify_colors' => 'Kies kleuren',
+ 'specify_colors_label' => 'Kies de kleuren die in de factuur gebruikt worden',
+ 'chart_builder' => 'Grafiekbouwer',
+ 'ninja_email_footer' => 'Gemaakt door :site | Aanmaken. Verzenden. Betaald krijgen.',
+ 'go_pro' => 'Go Pro',
+ 'quote' => 'Offerte',
+ 'quotes' => 'Offertes',
+ 'quote_number' => 'Offertenummer',
+ 'quote_number_short' => 'Offerte #',
+ 'quote_date' => 'Offertedatum',
+ 'quote_total' => 'Offertetotaal',
+ 'your_quote' => 'Uw Offerte',
+ 'total' => 'Totaal',
+ 'clone' => 'Kloon',
+ 'new_quote' => 'Nieuwe offerte',
+ 'create_quote' => 'Maak offerte aan',
+ 'edit_quote' => 'Bewerk offerte',
+ 'archive_quote' => 'Archiveer offerte',
+ 'delete_quote' => 'Verwijder offerte',
+ 'save_quote' => 'Bewaar offerte',
+ 'email_quote' => 'E-mail offerte',
+ 'clone_quote' => 'Kopieer Offerte',
+ 'convert_to_invoice' => 'Zet om naar factuur',
+ 'view_invoice' => 'Bekijk factuur',
+ 'view_client' => 'Bekijk klant',
+ 'view_quote' => 'Bekijk offerte',
+ 'updated_quote' => 'Offerte succesvol bijgewerkt',
+ 'created_quote' => 'Offerte succesvol aangemaakt',
+ 'cloned_quote' => 'Offerte succesvol gekopieerd',
+ 'emailed_quote' => 'Offerte succesvol gemaild',
+ 'archived_quote' => 'Offerte succesvol gearchiveerd',
+ 'archived_quotes' => ':count offertes succesvol gearchiveerd',
+ 'deleted_quote' => 'Offerte succesvol verwijderd',
+ 'deleted_quotes' => ':count offertes succesvol verwijderd',
+ 'converted_to_invoice' => 'Offerte succesvol omgezet naar factuur',
+ 'quote_subject' => 'Nieuwe offerte :number van :account',
+ 'quote_message' => 'Om uw offerte voor :amount te bekijken, klik op de link hieronder.',
+ 'quote_link_message' => 'Klik op de link hieronder om de offerte te bekijken:',
+ 'notification_quote_sent_subject' => 'Offerte :invoice is verstuurd naar :client',
+ 'notification_quote_viewed_subject' => 'Offerte :invoice is bekeken door :client',
+ 'notification_quote_sent' => 'Offerte :invoice ter waarde van :amount is per e-mail naar :client verstuurd.',
+ 'notification_quote_viewed' => 'Klant :client heeft offerte :invoice voor :amount bekeken.',
+ 'session_expired' => 'Uw sessie is verlopen.',
+ 'invoice_fields' => 'Factuurvelden',
+ 'invoice_options' => 'Factuuropties',
+ 'hide_paid_to_date' => 'Verberg "Reeds betaald"',
+ 'hide_paid_to_date_help' => 'Toon alleen het "Reeds betaald" gebied op je facturen als er een betaling gemaakt is.',
+ 'charge_taxes' => 'BTW berekenen',
+ 'user_management' => 'Gebruikersbeheer',
+ 'add_user' => 'Nieuwe gebruiker',
+ 'send_invite' => 'Uitnodiging versturen',
+ 'sent_invite' => 'Uitnodiging succesvol verzonden',
+ 'updated_user' => 'Gebruiker succesvol aangepast',
+ 'invitation_message' => 'U bent uitgenodigd door :invitor. ',
+ 'register_to_add_user' => 'Meld u aan om een gebruiker toe te voegen',
+ 'user_state' => 'Status',
+ 'edit_user' => 'Bewerk gebruiker',
+ 'delete_user' => 'Verwijder gebruiker',
+ 'active' => 'Actief',
+ 'pending' => 'In afwachting',
+ 'deleted_user' => 'Gebruiker succesvol verwijderd',
+ 'confirm_email_invoice' => 'Weet u zeker dat u deze factuur wilt e-mailen?',
+ 'confirm_email_quote' => 'Weet u zeker dat u deze offerte wilt e-mailen?',
+ 'confirm_recurring_email_invoice' => 'Terugkeren (herhalen) staat aan, weet u zeker dat u deze factuur wilt e-mailen?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Weet je zeker dat je de herhaling wilt starten?',
+ 'cancel_account' => 'Account opzeggen',
+ 'cancel_account_message' => 'Waarschuwing: Dit zal uw account verwijderen. Er is geen manier om dit ongedaan te maken.',
+ 'go_back' => 'Ga Terug',
+ 'data_visualizations' => 'Datavisualisaties',
+ 'sample_data' => 'Voorbeelddata getoond',
+ 'hide' => 'Verberg',
+ 'new_version_available' => 'Een nieuwe versie van :releases_link is beschikbaar. U gebruikt nu v:user_version, de laatste versie is v:latest_version',
+ 'invoice_settings' => 'Factuurinstellingen',
+ 'invoice_number_prefix' => 'Factuurnummer voorvoegsel',
+ 'invoice_number_counter' => 'Factuurnummer teller',
+ 'quote_number_prefix' => 'Offertenummer voorvoegsel',
+ 'quote_number_counter' => 'Offertenummer teller',
+ 'share_invoice_counter' => 'Deel factuur teller',
+ 'invoice_issued_to' => 'Factuur uitgegeven aan',
+ 'invalid_counter' => 'Stel een factuurnummervoorvoegsel of offertenummervoorvoegsel in om een mogelijk conflict te voorkomen.',
+ 'mark_sent' => 'Markeer als verzonden',
+ 'gateway_help_1' => ':link om in te schrijven voor Authorize.net.',
+ 'gateway_help_2' => ':link om in te schrijven voor Authorize.net.',
+ 'gateway_help_17' => ':link om uw PayPal API signature te krijgen.',
+ 'gateway_help_27' => ':link om aan te melden voor 2Checkout.com. Om te verzekeren dat betalingen gevolgd worden stel :complete_link in als de redirect URL onder Account > Site Management in het 2Checkout portaal.',
+ 'gateway_help_60' => ':link om WePay account aan te maken.',
+ 'more_designs' => 'Meer ontwerpen',
+ 'more_designs_title' => 'Aanvullende factuurontwerpen',
+ 'more_designs_cloud_header' => 'Neem Pro Plan voor meer factuurontwerpen',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Koop',
+ 'bought_designs' => 'Aanvullende factuurontwerpen succesvol toegevoegd',
+ 'sent' => 'Verzend',
+ 'vat_number' => 'BTW-nummer',
+ 'timesheets' => 'Timesheets',
+ 'payment_title' => 'Geef uw betalingsadres en creditcardgegevens op',
+ 'payment_cvv' => '*Dit is de code van 3 of 4 tekens op de achterkant van uw kaart',
+ 'payment_footer1' => '*Betalingsadres moet overeenkomen met het adres dat aan uw kaart gekoppeld is.',
+ 'payment_footer2' => '*Klik alstublieft slechts één keer op "PAY NOW" - verwerking kan tot 1 minuut duren.',
+ 'id_number' => 'Identificatienummer',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White label',
+ 'bought_white_label' => 'White label licentie succesvol geactiveerd',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Herstel',
+ 'restore_invoice' => 'Herstel factuur',
+ 'restore_quote' => 'Herstel offerte',
+ 'restore_client' => 'Herstel klant',
+ 'restore_credit' => 'Herstel kredietnota',
+ 'restore_payment' => 'Herstel betaling',
+ 'restored_invoice' => 'Factuur succesvol hersteld',
+ 'restored_quote' => 'Offerte succesvol hersteld',
+ 'restored_client' => 'Klant succesvol hersteld',
+ 'restored_payment' => 'Betaling succesvol hersteld',
+ 'restored_credit' => 'Kredietnota succesvol hersteld',
+ 'reason_for_canceling' => 'Help ons om onze site te verbeteren door ons te vertellen waarom u weggaat.',
+ 'discount_percent' => 'Percentage',
+ 'discount_amount' => 'Bedrag',
+ 'invoice_history' => 'Factuurgeschiedenis',
+ 'quote_history' => 'Offertegeschiedenis',
+ 'current_version' => 'Huidige versie',
+ 'select_version' => 'Selecteer versie',
+ 'view_history' => 'Bekijk geschiedenis',
+ 'edit_payment' => 'Bewerk betaling',
+ 'updated_payment' => 'Betaling succesvol bijgewerkt',
+ 'deleted' => 'Verwijderd',
+ 'restore_user' => 'Herstel gebruiker',
+ 'restored_user' => 'Gebruiker succesvol hersteld',
+ 'show_deleted_users' => 'Toon verwijderde gebruikers',
+ 'email_templates' => 'E-mailsjablonen',
+ 'invoice_email' => 'Factuur-e-mail',
+ 'payment_email' => 'Betalings-e-mail',
+ 'quote_email' => 'Offerte-e-mail',
+ 'reset_all' => 'Reset alles',
+ 'approve' => 'Goedkeuren',
+ 'token_billing_type_id' => 'Betalingstoken',
+ 'token_billing_help' => 'Bewaar betaalgegevens met WePay, Stripe, Braintree of GoCardless.',
+ 'token_billing_1' => 'Inactief',
+ 'token_billing_2' => 'Opt-in - checkbox is getoond maar niet geselecteerd',
+ 'token_billing_3' => 'Opt-out - checkbox is getoond en geselecteerd',
+ 'token_billing_4' => 'Altijd',
+ 'token_billing_checkbox' => 'Sla carditcard gegevens op',
+ 'view_in_gateway' => 'In :gateway bekijken',
+ 'use_card_on_file' => 'Gebruik opgeslagen kaart',
+ 'edit_payment_details' => 'Betalingsdetails aanpassen',
+ 'token_billing' => 'Kaartgegevens opslaan',
+ 'token_billing_secure' => 'Kaartgegevens worden veilig opgeslagen door :link',
+ 'support' => 'Ondersteuning',
+ 'contact_information' => 'Contact informatie',
+ '256_encryption' => '256-bit versleuteling',
+ 'amount_due' => 'Te betalen bedrag',
+ 'billing_address' => 'Factuuradres',
+ 'billing_method' => 'Betaalmethode',
+ 'order_overview' => 'Orderoverzicht',
+ 'match_address' => '*Adres moet overeenkomen met adres van creditcard.',
+ 'click_once' => '*Klik alstublieft maar één keer; het kan een minuut duren om de betaling te verwerken.',
+ 'invoice_footer' => 'Factuurfooter',
+ 'save_as_default_footer' => 'Bewaar als standaardfooter',
+ 'token_management' => 'Tokenbeheer',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Voeg token toe',
+ 'show_deleted_tokens' => 'Toon verwijderde tokens',
+ 'deleted_token' => 'Token succesvol verwijderd',
+ 'created_token' => 'Token succesvol aangemaakt',
+ 'updated_token' => 'Token succesvol aangepast',
+ 'edit_token' => 'Bewerk token',
+ 'delete_token' => 'Verwijder token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Gateway toevoegen',
+ 'delete_gateway' => 'Gateway verwijderen',
+ 'edit_gateway' => 'Gateway aanpassen',
+ 'updated_gateway' => 'Gateway succesvol aangepast',
+ 'created_gateway' => 'Gateway succesvol aangemaakt',
+ 'deleted_gateway' => 'Gateway succesvol verwijderd',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Creditcard',
+ 'change_password' => 'Verander wachtwoord',
+ 'current_password' => 'Huidig wachtwoord',
+ 'new_password' => 'Nieuw wachtwoord',
+ 'confirm_password' => 'Bevestig wachtwoord',
+ 'password_error_incorrect' => 'Het huidige wachtwoord is niet juist.',
+ 'password_error_invalid' => 'Het nieuwe wachtwoord is ongeldig.',
+ 'updated_password' => 'Wachtwoord succesvol aangepast',
+ 'api_tokens' => 'API Tokens',
+ 'users_and_tokens' => 'Gebruikers en tokens',
+ 'account_login' => 'Accountlogin',
+ 'recover_password' => 'Wachtwoord vergeten?',
+ 'forgot_password' => 'Wachtwoord vergeten?',
+ 'email_address' => 'Emailadres',
+ 'lets_go' => 'Let’s go',
+ 'password_recovery' => 'Wachtwoord Herstel',
+ 'send_email' => 'Verstuur email',
+ 'set_password' => 'Stel wachtwoord in',
+ 'converted' => 'Omgezet',
+ 'email_approved' => 'Email mij wanneer een offerte is goedgekeurd',
+ 'notification_quote_approved_subject' => 'Offerte :invoice is goedgekeurd door :client',
+ 'notification_quote_approved' => ':client heeft offerte :invoice goedgekeurd voor :amount.',
+ 'resend_confirmation' => 'Verstuurd bevestingsmail opnieuw',
+ 'confirmation_resent' => 'De bevestigingsmail is opnieuw verstuurd',
+ 'gateway_help_42' => ':link om te registreren voor BitPay.
Opmerking: gebruik een Legacy API Key, niet een API token.',
+ 'payment_type_credit_card' => 'Creditcard',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Kennisbank',
+ 'partial' => 'Voorschot',
+ 'partial_remaining' => ':partial / :balance',
+ 'more_fields' => 'Meer velden',
+ 'less_fields' => 'Minder velden',
+ 'client_name' => 'Klantnaam',
+ 'pdf_settings' => 'PDF-instellingen',
+ 'product_settings' => 'Productinstellingen',
+ 'auto_wrap' => 'Automatisch regel afbreken',
+ 'duplicate_post' => 'Opgelet: de volgende pagina is twee keer doorgestuurd. De tweede verzending is genegeerd.',
+ 'view_documentation' => 'Bekijk documentatie',
+ 'app_title' => 'Gratis Open-Source Online Facturatie',
+ 'app_description' => 'Invoice Ninja is een gratis, open-source oplossing voor het maken en versturen van facturen aan klanten. Met Invoice Ninja, kun je gemakkelijk mooie facturen maken en verzenden vanaf elk apparaat met internettoegang. Je klanten kunnen je facturen afdrukken, downloaden als pdf bestand en je zelfs online betalen vanuit het systeem.',
+ 'rows' => 'rijen',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdomein',
+ 'provide_name_or_email' => 'Gelieve een naam of email op te geven',
+ 'charts_and_reports' => 'Grafieken en rapporten',
+ 'chart' => 'Grafiek',
+ 'report' => 'Rapport',
+ 'group_by' => 'Groepeer per',
+ 'paid' => 'Betaald',
+ 'enable_report' => 'Rapport',
+ 'enable_chart' => 'Grafiek',
+ 'totals' => 'Totalen',
+ 'run' => 'Uitvoeren',
+ 'export' => 'Exporteer',
+ 'documentation' => 'Documentatie',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Terugkerend',
+ 'last_invoice_sent' => 'Laatste factuur verzonden :date',
+ 'processed_updates' => 'Update succesvol uitgevoerd',
+ 'tasks' => 'Taken',
+ 'new_task' => 'Nieuwe taak',
+ 'start_time' => 'Starttijd',
+ 'created_task' => 'Taak succesvol aangemaakt',
+ 'updated_task' => 'Taak succesvol aangepast',
+ 'edit_task' => 'Pas taak aan',
+ 'archive_task' => 'Archiveer taak',
+ 'restore_task' => 'Taak herstellen',
+ 'delete_task' => 'Verwijder taak',
+ 'stop_task' => 'Stop taak',
+ 'time' => 'Tijd',
+ 'start' => 'Start',
+ 'stop' => 'Stop',
+ 'now' => 'Nu',
+ 'timer' => 'Timer',
+ 'manual' => 'Manueel',
+ 'date_and_time' => 'Datum en tijd',
+ 'second' => 'Seconde',
+ 'seconds' => 'Seconden',
+ 'minute' => 'Minuut',
+ 'minutes' => 'Minuten',
+ 'hour' => 'Uur',
+ 'hours' => 'Uren',
+ 'task_details' => 'Taakdetails',
+ 'duration' => 'Duur',
+ 'end_time' => 'Eindtijd',
+ 'end' => 'Einde',
+ 'invoiced' => 'Gefactureerd',
+ 'logged' => 'Gelogd',
+ 'running' => 'Lopend',
+ 'task_error_multiple_clients' => 'Taken kunnen niet tot meerdere klanten behoren',
+ 'task_error_running' => 'Stop a.u.b. de lopende taken eerst',
+ 'task_error_invoiced' => 'Deze taken zijn al gefactureerd',
+ 'restored_task' => 'Taak succesvol hersteld',
+ 'archived_task' => 'Taak succesvol gearchiveerd',
+ 'archived_tasks' => ':count taken succesvol gearchiveerd',
+ 'deleted_task' => 'Taak succesvol verwijderd',
+ 'deleted_tasks' => ':count taken succesvol verwijderd',
+ 'create_task' => 'Taak aanmaken',
+ 'stopped_task' => 'Taak succesvol gestopt',
+ 'invoice_task' => 'Factureer taak',
+ 'invoice_labels' => 'Factuurlabels',
+ 'prefix' => 'Voorvoegsel',
+ 'counter' => 'Teller',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link om in te schrijven voor Dwolla.',
+ 'partial_value' => 'Moet groter zijn dan nul en minder dan het totaal',
+ 'more_actions' => 'Meer acties',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Nu upgraden!',
+ 'pro_plan_feature1' => 'Ongelimiteerd klanten aanmaken',
+ 'pro_plan_feature2' => 'Toegang tot 10 mooie factuur ontwerpen',
+ 'pro_plan_feature3' => 'Aangepaste URLs - "UwMerk.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Verwijder "Aangemaakt door Invoice Ninja"',
+ 'pro_plan_feature5' => 'Multi-user toegang & Activeit Tracking',
+ 'pro_plan_feature6' => 'Maak offertes & Pro-forma facturen aan',
+ 'pro_plan_feature7' => 'Pas factuur veld titels & nummering aan',
+ 'pro_plan_feature8' => 'Optie om PDFs toe te voegen aan de emails naar klanten',
+ 'resume' => 'Doorgaan',
+ 'break_duration' => 'Pauze',
+ 'edit_details' => 'Details aanpassen',
+ 'work' => 'Werk',
+ 'timezone_unset' => ':link om uw tijdszone aan te passen',
+ 'click_here' => 'Klik hier',
+ 'email_receipt' => 'Mail betalingsbewijs naar de klant',
+ 'created_payment_emailed_client' => 'Betaling succesvol toegevoegd en gemaild naar de klant',
+ 'add_company' => 'Bedrijf toevoegen',
+ 'untitled' => 'Zonder titel',
+ 'new_company' => 'Nieuw bedrijf',
+ 'associated_accounts' => 'Accounts succesvol gekoppeld',
+ 'unlinked_account' => 'Accounts succesvol losgekoppeld',
+ 'login' => 'Login',
+ 'or' => 'of',
+ 'email_error' => 'Er was een probleem met versturen van de e-mail',
+ 'confirm_recurring_timing' => 'Opmerking: e-mails worden aan het begin van het uur verzonden.',
+ 'confirm_recurring_timing_not_sent' => 'Opmerking: facturen worden aan het begin van het uur gemaakt.',
+ 'payment_terms_help' => 'Stel de standaard factuurvervaldatum in.',
+ 'unlink_account' => 'Koppel account los',
+ 'unlink' => 'Koppel los',
+ 'show_address' => 'Toon Adres',
+ 'show_address_help' => 'Verplicht de klant om zijn factuuradres op te geven',
+ 'update_address' => 'Adres aanpassen',
+ 'update_address_help' => 'Pas het adres van de klant aan met de ingevulde gegevens',
+ 'times' => 'Tijden',
+ 'set_now' => 'Start nu',
+ 'dark_mode' => 'Donkere modus',
+ 'dark_mode_help' => 'Gebruik een donkere achtergrond voor de zijbalk',
+ 'add_to_invoice' => 'Toevoegen aan factuur :invoice',
+ 'create_new_invoice' => 'Maak een nieuwe factuur',
+ 'task_errors' => 'Pas overlappende tijden aan a.u.b..',
+ 'from' => 'Van',
+ 'to' => 'Aan',
+ 'font_size' => 'Tekstgrootte',
+ 'primary_color' => 'Primaire kleur',
+ 'secondary_color' => 'Secundaire kleur',
+ 'customize_design' => 'Pas ontwerp aan',
+ 'content' => 'Inhoud',
+ 'styles' => 'Stijlen',
+ 'defaults' => 'Standaardwaarden',
+ 'margins' => 'Marges',
+ 'header' => 'Header',
+ 'footer' => 'Footer',
+ 'custom' => 'Aangepast',
+ 'invoice_to' => 'Factuur aan',
+ 'invoice_no' => 'Factuur nr.',
+ 'quote_no' => 'Offerte nr.',
+ 'recent_payments' => 'Recente betalingen',
+ 'outstanding' => 'Uitstaand',
+ 'manage_companies' => 'Beheer bedrijven',
+ 'total_revenue' => 'Totale inkomsten',
+ 'current_user' => 'Huidige gebruiker',
+ 'new_recurring_invoice' => 'Nieuwe terugkerende factuur',
+ 'recurring_invoice' => 'Terugkerende factuur',
+ 'new_recurring_quote' => 'Nieuwe terugkerende offerte',
+ 'recurring_quote' => 'Terugkerende offerte',
+ 'recurring_too_soon' => 'Het is te vroeg om de volgende terugkerende factuur aan te maken, dit is gepland voor :date',
+ 'created_by_invoice' => 'Aangemaakt door :invoice',
+ 'primary_user' => 'Primaire gebruiker',
+ 'help' => 'Help',
+ 'customize_help' => 'We gebruiken :pdfmake_link om de factuurontwerpen declaratief te definieren. De pdfmake :playground_link biedt een interessante manier om de library in actie te zien.
+ Als je ergens hulp bij nodig hebt, stel dan een vraag op ons support forum met het design dat je gebruikt.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'Support Forum',
+ 'invoice_due_date' => 'Vervaldatum',
+ 'quote_due_date' => 'Geldig tot',
+ 'valid_until' => 'Geldig tot',
+ 'reset_terms' => 'Reset voorwaarden',
+ 'reset_footer' => 'Reset footer',
+ 'invoice_sent' => ':count factuur verzonden',
+ 'invoices_sent' => ':count facturen verzonden',
+ 'status_draft' => 'Concept',
+ 'status_sent' => 'Verstuurd',
+ 'status_viewed' => 'Bekeken',
+ 'status_partial' => 'Gedeeltelijk',
+ 'status_paid' => 'Betaald',
+ 'status_unpaid' => 'Onbetaald',
+ 'status_all' => 'Alles',
+ 'show_line_item_tax' => 'BTW-tarieven per regel tonen',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'Kopieer de volgende code naar een pagina op uw site.',
+ 'iframe_url_help2' => 'U kunt de functionaliteit testen door te klikken op \'Bekijk als ontvanger\' bij een factuur.',
+ 'auto_bill' => 'Automatische incasso',
+ 'military_time' => '24-uurs klok',
+ 'last_sent' => 'Laatst verstuurd',
+ 'reminder_emails' => 'Herinnerings-e-mails',
+ 'templates_and_reminders' => 'Sjablonen en herinneringen',
+ 'subject' => 'Onderwerp',
+ 'body' => 'Tekst',
+ 'first_reminder' => 'Eerste herinnering',
+ 'second_reminder' => 'Tweede herinnering',
+ 'third_reminder' => 'Derde herinnering',
+ 'num_days_reminder' => 'Dagen na vervaldatum',
+ 'reminder_subject' => 'Herinnering: Factuur :invoice van :account',
+ 'reset' => 'Reset',
+ 'invoice_not_found' => 'De opgevraagde factuur is niet beschikbaar',
+ 'referral_program' => 'Referral Program',
+ 'referral_code' => 'Referral Code',
+ 'last_sent_on' => 'Laatst verstuurd op :date',
+ 'page_expire' => 'Deze pagina verloopt binnenkort, :click_here om verder te kunnen werken',
+ 'upcoming_quotes' => 'Eersvolgende offertes',
+ 'expired_quotes' => 'Verlopen offertes',
+ 'sign_up_using' => 'Meld u aan met',
+ 'invalid_credentials' => 'Deze inloggegevens zijn niet bij ons bekend',
+ 'show_all_options' => 'Alle opties tonen',
+ 'user_details' => 'Gebruiker gegevens',
+ 'oneclick_login' => 'Verbindt Account',
+ 'disable' => 'Uitzetten',
+ 'invoice_quote_number' => 'Factuur- en offertenummers',
+ 'invoice_charges' => 'Facturatiekosten',
+ 'notification_invoice_bounced' => 'We konden factuur :invoice niet afleveren bij :contact.',
+ 'notification_invoice_bounced_subject' => 'Factuur :invoice kon niet worden afgeleverd',
+ 'notification_quote_bounced' => 'We konden offerte :invoice niet afleveren bij :contact.',
+ 'notification_quote_bounced_subject' => 'Offerte :invoice kon niet worden afgeleverd',
+ 'custom_invoice_link' => 'Eigen factuurlink',
+ 'total_invoiced' => 'Totaal gefactureerd',
+ 'open_balance' => 'Openstaand bedrag',
+ 'verify_email' => 'Klik alstublieft op de link in de accountbevestigings-e-mail om uw e-mailadres te bevestigen.',
+ 'basic_settings' => 'Basisinstellingen',
+ 'pro' => 'Pro',
+ 'gateways' => 'Betalingsverwerkers',
+ 'next_send_on' => 'Verstuur volgende: :date',
+ 'no_longer_running' => 'Deze factuur is niet ingepland',
+ 'general_settings' => 'Algemene instellingen',
+ 'customize' => 'Aanpassen',
+ 'oneclick_login_help' => 'Verbind een account om zonder wachtwoord in te kunnen loggen',
+ 'referral_code_help' => 'Verdien geld door onze applicatie online te delen',
+ 'enable_with_stripe' => 'Aanzetten | Vereist Stripe',
+ 'tax_settings' => 'BTW-instellingen',
+ 'create_tax_rate' => 'Voeg een tarief toe',
+ 'updated_tax_rate' => 'Het tarief is bijgewerkt',
+ 'created_tax_rate' => 'Het tarief is aangemaakt',
+ 'edit_tax_rate' => 'Bewerk tarief',
+ 'archive_tax_rate' => 'Archiveer tarief',
+ 'archived_tax_rate' => 'Het tarief is gearchiveerd',
+ 'default_tax_rate_id' => 'Standaard BTW-tarief',
+ 'tax_rate' => 'BTW-tarief',
+ 'recurring_hour' => 'Uur van de dag voor het aanmaken van terugkerende facturen',
+ 'pattern' => 'Patroon',
+ 'pattern_help_title' => 'Help bij patroon',
+ 'pattern_help_1' => 'Maak aangepaste factuur- en offertenummers op basis van een patroon',
+ 'pattern_help_2' => 'Beschikbare variabelen:',
+ 'pattern_help_3' => 'Bijvoorbeeld, :example wordt omgezet naar :value',
+ 'see_options' => 'Zie opties',
+ 'invoice_counter' => 'Factuurteller',
+ 'quote_counter' => 'Offerteteller',
+ 'type' => 'Type',
+ 'activity_1' => ':user heeft klant :client aangemaakt',
+ 'activity_2' => ':user heeft klant :client gearchiveerd',
+ 'activity_3' => ':user heeft klant :client verwijderd',
+ 'activity_4' => ':user heeft factuur :invoice aangemaakt',
+ 'activity_5' => ':user heeft factuur :invoice bijgewerkt',
+ 'activity_6' => ':user heeft factuur :invoice verstuurd naar :contact',
+ 'activity_7' => ':contact heeft factuur :invoice bekeken',
+ 'activity_8' => ':user heeft factuur :invoice gearchiveerd',
+ 'activity_9' => ':user heeft factuur :invoice verwijderd',
+ 'activity_10' => ':contact heeft betaling :payment ingevoerd voor factuur :invoice',
+ 'activity_11' => ':user heeft betaling :payment bijgewerkt',
+ 'activity_12' => ':user heeft betaling :payment gearchiveerd',
+ 'activity_13' => ':user heeft betaling :payment verwijderd',
+ 'activity_14' => ':user heeft :credit krediet ingevoerd',
+ 'activity_15' => ':user heeft :credit krediet bijgewerkt',
+ 'activity_16' => ':user heeft :credit krediet gearchiveerd',
+ 'activity_17' => ':user heeft :credit krediet verwijderd',
+ 'activity_18' => ':user heeft offerte :quote aangemaakt',
+ 'activity_19' => ':user heeft offerte :quote bijgewerkt',
+ 'activity_20' => ':user heeft offerte :quote verstuurd naar :contact',
+ 'activity_21' => ':contact heeft offerte :quote bekeken',
+ 'activity_22' => ':user heeft offerte :quote gearchiveerd',
+ 'activity_23' => ':user heeft offerte :quote verwijderd',
+ 'activity_24' => ':user heeft offerte :quote hersteld',
+ 'activity_25' => ':user heeft factuur :invoice hersteld',
+ 'activity_26' => ':user heeft klant :client hersteld',
+ 'activity_27' => ':user heeft betaling :payment hersteld',
+ 'activity_28' => ':user heeft :credit krediet hersteld',
+ 'activity_29' => ':contact heeft offerte :quote goedgekeurd',
+ 'activity_30' => ':user heeft leverancier :vendor aangemaakt',
+ 'activity_31' => ':user heeft leverancier :vendor gearchiveerd',
+ 'activity_32' => ':user heeft leverancier :vendor verwijderd',
+ 'activity_33' => ':user heeft leverancier :vendor hersteld',
+ 'activity_34' => ':user heeft uitgave :expense aangemaakt',
+ 'activity_35' => ':user heeft uitgave :expense gearchiveerd',
+ 'activity_36' => ':user heeft uitgave :expense verwijderd',
+ 'activity_37' => ':user heeft uitgave :expense hersteld',
+ 'activity_42' => ':user heeft taak :task aangemaakt',
+ 'activity_43' => ':user heeft taak :task bijgewerkt',
+ 'activity_44' => ':user heeft taak :task gearchiveerd',
+ 'activity_45' => ':user heeft taak :task verwijderd',
+ 'activity_46' => ':user heeft taak :task hersteld',
+ 'activity_47' => ':user heeft uitgave :expense bijgewerkt',
+ 'payment' => 'Betaling',
+ 'system' => 'Systeem',
+ 'signature' => 'E-mailhandtekening',
+ 'default_messages' => 'Standaardberichten',
+ 'quote_terms' => 'Offertevoorwaarden',
+ 'default_quote_terms' => 'Standaard offertevoorwaarden',
+ 'default_invoice_terms' => 'Stel standaard factuurvoorwaarden in',
+ 'default_invoice_footer' => 'Stel standaard factuurfooter in',
+ 'quote_footer' => 'Offertefooter',
+ 'free' => 'Gratis',
+ 'quote_is_approved' => 'Akkoord',
+ 'apply_credit' => 'Krediet gebruiken',
+ 'system_settings' => 'Systeeminstellingen',
+ 'archive_token' => 'Archiveer token',
+ 'archived_token' => 'Token succesvol gearchiveerd',
+ 'archive_user' => 'Archiveer gebruiker',
+ 'archived_user' => 'Gebruiker succesvol gearchiveerd',
+ 'archive_account_gateway' => 'Archiveer betalingsverwerker',
+ 'archived_account_gateway' => 'Betalingsverwerker succesvol gearchiveerd',
+ 'archive_recurring_invoice' => 'Archiveer terugkerende factuur',
+ 'archived_recurring_invoice' => 'Terugkerende factuur succesvol gearchiveerd',
+ 'delete_recurring_invoice' => 'Verwijder terugkerende factuur',
+ 'deleted_recurring_invoice' => 'Terugkerende factuur succesvol verwijderd',
+ 'restore_recurring_invoice' => 'Herstel terugkerende factuur',
+ 'restored_recurring_invoice' => 'Terugkerende factuur succesvol hersteld',
+ 'archive_recurring_quote' => 'Archiveer terugkerende offerte',
+ 'archived_recurring_quote' => 'Terugkerende offerte succesvol gearchiveerd',
+ 'delete_recurring_quote' => 'Verwijder terugkerende offerte',
+ 'deleted_recurring_quote' => 'Terugkerende offerte succesvol verwijderd',
+ 'restore_recurring_quote' => 'Herstel terugkerende offerte',
+ 'restored_recurring_quote' => 'Terugkerende offerte succesvol hersteld',
+ 'archived' => 'Gearchiveerd',
+ 'untitled_account' => 'Naamloos bedrijf',
+ 'before' => 'Voor',
+ 'after' => 'Na',
+ 'reset_terms_help' => 'Herstel de standaardvoorwaarden',
+ 'reset_footer_help' => 'Herstel de standaardfooter',
+ 'export_data' => 'Exporteer data',
+ 'user' => 'Gebruiker',
+ 'country' => 'Land',
+ 'include' => 'Voeg in',
+ 'logo_too_large' => 'Je logo is :size groot, voor betere PDF prestaties raden we je aan om een afbeelding kleiner dan 200KB te uploaden.',
+ 'import_freshbooks' => 'Importeren van FreshBooks',
+ 'import_data' => 'Importeer data',
+ 'source' => 'Bron',
+ 'csv' => 'CSV',
+ 'client_file' => 'Klantenbestand',
+ 'invoice_file' => 'Factuurbestand',
+ 'task_file' => 'Urenbestand',
+ 'no_mapper' => 'Geen geldige mapping voor bestand',
+ 'invalid_csv_header' => 'Ongeldige CSV kop',
+ 'client_portal' => 'Klantenportaal',
+ 'admin' => 'Admin',
+ 'disabled' => 'Uitgeschakeld',
+ 'show_archived_users' => 'Toon gearchiveerde gebruikers',
+ 'notes' => 'Notities',
+ 'invoice_will_create' => 'Factuur zal worden aangemaakt',
+ 'invoices_will_create' => 'factuur zal worden aangemaakt',
+ 'failed_to_import' => 'De volgende regels konden niet worden geïmporteerd, ze bestaan al of missen verplichte velden.',
+ 'publishable_key' => 'Publishable Key',
+ 'secret_key' => 'Secret Key',
+ 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process',
+ 'email_design' => 'E-mail Ontwerp',
+ 'due_by' => 'Vervaldatum :date',
+ 'enable_email_markup' => 'Opmaak inschakelen',
+ 'enable_email_markup_help' => 'Maak het gemakkelijker voor uw klanten om te betalen door scherma.org opmaak toe te voegen aan uw e-mails.',
+ 'template_help_title' => 'Hulp bij sjablonen',
+ 'template_help_1' => 'Beschikbare variabelen:',
+ 'email_design_id' => 'E-mail stijl',
+ 'email_design_help' => 'Geef uw e-mails een professionele uitstraling met HTML ontwerpen.',
+ 'plain' => 'Platte tekst',
+ 'light' => 'Licht',
+ 'dark' => 'Donker',
+ 'industry_help' => 'Wordt gebruikt om een vergelijking te kunnen maken met de gemiddelden van andere bedrijven uit dezelfde sector en van dezelfde grootte.',
+ 'subdomain_help' => 'Stel het subdomein in of toon het factuur op uw eigen website.',
+ 'website_help' => 'Toon de factuur in een iFrame op uw eigen website',
+ 'invoice_number_help' => 'Kies een voorvoegsel of gebruik een patroon om het factuurnummer dynamisch te genereren.',
+ 'quote_number_help' => 'Kies een voorvoegsel of gebruik een patroon om het offertenummer dynamisch te genereren.',
+ 'custom_client_fields_helps' => 'Voeg een veld toe bij het creëren van een klant en toon het label en de waarde op de PDF.',
+ 'custom_account_fields_helps' => 'Plaatst een tekstveld op de bedrijven aanmaak-/bewerkpagina en toont het gekozen label op de PDF.',
+ 'custom_invoice_fields_helps' => 'Voeg een veld toe bij het creëren van een factuur en toon het label en de waarde op de PDF.',
+ 'custom_invoice_charges_helps' => 'Plaatst een tekstveld op de factuur aanmaak-/bewerkpagina en verwerkt de facturatiekosten in het subtotaal.',
+ 'token_expired' => 'De validatie token is verlopen. Probeer het opnieuw.',
+ 'invoice_link' => 'Factuur Link',
+ 'button_confirmation_message' => 'Klik om uw e-mailadres te bevestigen.',
+ 'confirm' => 'Bevestigen',
+ 'email_preferences' => 'E-mailvoorkeuren',
+ 'created_invoices' => ':count facturen succesvol aangemaakt',
+ 'next_invoice_number' => 'Het volgende factuurnummer is :number.',
+ 'next_quote_number' => 'Het volgende offertenummer is :number.',
+ 'days_before' => 'dagen voor de',
+ 'days_after' => 'dagen na de',
+ 'field_due_date' => 'vervaldatum',
+ 'field_invoice_date' => 'factuurdatum',
+ 'schedule' => 'Schema',
+ 'email_designs' => 'E-mail Ontwerpen',
+ 'assigned_when_sent' => 'Toegwezen zodra verzonden',
+ 'white_label_purchase_link' => 'Koop een whitelabel licentie',
+ 'expense' => 'Uitgave',
+ 'expenses' => 'Uitgaven',
+ 'new_expense' => 'Uitgave invoeren',
+ 'enter_expense' => 'Uitgave invoeren',
+ 'vendors' => 'Leveranciers',
+ 'new_vendor' => 'Nieuwe leverancier',
+ 'payment_terms_net' => 'Betaaltermijn',
+ 'vendor' => 'Leverancier',
+ 'edit_vendor' => 'Bewerk leverancier',
+ 'archive_vendor' => 'Archiveer leverancier',
+ 'delete_vendor' => 'Verwijder leverancier',
+ 'view_vendor' => 'Bekijk leverancier',
+ 'deleted_expense' => 'Uitgave succesvol verwijderd',
+ 'archived_expense' => 'Uitgave succesvol gearchiveerd',
+ 'deleted_expenses' => 'Uitgaven succesvol verwijderd',
+ 'archived_expenses' => 'Uitgaven succesvol gearchiveerd',
+ 'expense_amount' => 'Uitgave bedrag',
+ 'expense_balance' => 'Uitgave saldo',
+ 'expense_date' => 'Uitgave datum',
+ 'expense_should_be_invoiced' => 'Moet deze uitgave worden gefactureerd?',
+ 'public_notes' => 'Publieke opmerkingen',
+ 'invoice_amount' => 'Factuurbedrag',
+ 'exchange_rate' => 'Wisselkoers',
+ 'yes' => 'Ja',
+ 'no' => 'Nee',
+ 'should_be_invoiced' => 'Moet worden gefactureerd',
+ 'view_expense' => 'Bekijk uitgave #:expense',
+ 'edit_expense' => 'Bewerk uitgave',
+ 'archive_expense' => 'Archiveer uitgave',
+ 'delete_expense' => 'Verwijder uitgave',
+ 'view_expense_num' => 'Uitgave #:expense',
+ 'updated_expense' => 'Uitgave succesvol bijgewerkt',
+ 'created_expense' => 'Uitgave succesvol aangemaakt',
+ 'enter_expense' => 'Uitgave invoeren',
+ 'view' => 'Bekijken',
+ 'restore_expense' => 'Herstel uitgave',
+ 'invoice_expense' => 'Factuur uitgave',
+ 'expense_error_multiple_clients' => 'De uitgaven kunnen niet bij verschillende klanten horen',
+ 'expense_error_invoiced' => 'Uitgave is al gefactureerd',
+ 'convert_currency' => 'Valuta omrekenen',
+ 'num_days' => 'Aantal dagen',
+ 'create_payment_term' => 'Betalingstermijn aanmaken',
+ 'edit_payment_terms' => 'Bewerk betalingstermijnen',
+ 'edit_payment_term' => 'Bewerk betalingstermijn',
+ 'archive_payment_term' => 'Archiveer betalingstermijn',
+ 'recurring_due_dates' => 'Vervaldatums van terugkerende facturen',
+ 'recurring_due_date_help' => 'Stelt automatisch een vervaldatum in voor de factuur.
+ Facturen die maandelijks of jaarlijks terugkeren en ingesteld zijn om te vervallen op of voor de datum waarop ze gemaakt zijn zullen de volgende maand vervallen. Facturen die ingesteld zijn te vervallen op de 29e of 30e van een maand die deze dag niet heeft zullen vervallen op de laatste dag van die maand.
+ Facturen die wekelijks terugkeren en ingesteld zijn om te vervallen op de dag van de week dat ze gemaakt zijn zullen de volgende week vervallen.
+ Bijvoorbeeld:
+
+ - Vandaag is het de 15e, de vervaldatum is ingesteld op de eerste dag van de maand. De vervaldatum zal de eerste dag van de volgende maand zijn.
+ - Vandaag is het de 15e, de vervaldatum is ingesteld op de laatste dag van de maand. De vervaldatum zal de laatste dag van deze maand zijn.
+ - Vandaag is het de 15e, de vervaldatum is ingesteld op de 15e dag van de maand. De vervaldatum zal de 15e dag van de volgende maand zijn.
+ - Vandaag is het vrijdag, de vervaldatum is ingesteld op de 1e vrijdag erna. De vervaldatum zal volgende week vrijdag zijn, niet vandaag.
+
',
+ 'due' => 'Vervaldatum',
+ 'next_due_on' => 'Vervaldatum volgende: :date',
+ 'use_client_terms' => 'Gebruik betalingsvoorwaarden klant',
+ 'day_of_month' => ':ordinal dag van de maand',
+ 'last_day_of_month' => 'Laatste dag van de maand',
+ 'day_of_week_after' => ':ordinal :day erna',
+ 'sunday' => 'Zondag',
+ 'monday' => 'Maandag',
+ 'tuesday' => 'Dinsdag',
+ 'wednesday' => 'Woensdag',
+ 'thursday' => 'Donderdag',
+ 'friday' => 'Vrijdag',
+ 'saturday' => 'Zaterdag',
+ 'header_font_id' => 'Header lettertype',
+ 'body_font_id' => 'Body lettertype',
+ 'color_font_help' => 'Opmerking: de primaire kleuren en lettertypen wordt ook gebruikt in het klantenportaal en in aangepaste e-mailontwerpen.',
+ 'live_preview' => 'Live Voorbeeld',
+ 'invalid_mail_config' => 'Kon de e-mail niet verzenden, controleer of de e-mailinstellingen kloppen.',
+ 'invoice_message_button' => 'Klik op de onderstaande link om uw factuur van :amount te bekijken.',
+ 'quote_message_button' => 'Klik op de onderstaande link om uw offerte van :amount te bekijken.',
+ 'payment_message_button' => 'Bedankt voor uw betaling van :amount.',
+ 'payment_type_direct_debit' => 'Automatisch incasso',
+ 'bank_accounts' => 'Bankrekeningen',
+ 'add_bank_account' => 'Bankrekening toevoegen',
+ 'setup_account' => 'Rekening instellen',
+ 'import_expenses' => 'Uitgaven importeren',
+ 'bank_id' => 'Bank',
+ 'integration_type' => 'Integratie Type',
+ 'updated_bank_account' => 'Bankrekening succesvol bijgewerkt',
+ 'edit_bank_account' => 'Bewerk bankrekening',
+ 'archive_bank_account' => 'Archiveer bankrekening',
+ 'archived_bank_account' => 'Bankrekening succesvol gearchiveerd',
+ 'created_bank_account' => 'Bankrekening succesvol toegevoegd',
+ 'validate_bank_account' => 'Bankrekening valideren',
+ 'bank_password_help' => 'Opmerking: uw wachtwoord wordt beveiligd verstuurd en wordt nooit op onze servers opgeslagen.',
+ 'bank_password_warning' => 'Waarschuwing: uw wachtwoord wordt mogelijk als leesbare tekst verzonden, overweeg HTTPS in te schakelen.',
+ 'username' => 'Gebruikersnaam',
+ 'account_number' => 'Rekeningnummer',
+ 'account_name' => 'Rekeninghouder',
+ 'bank_account_error' => 'Het ophalen van accountgegevens is mislukt, controleer uw inloggegevens.',
+ 'status_approved' => 'Goedgekeurd',
+ 'quote_settings' => 'Offerte instellingen',
+ 'auto_convert_quote' => 'Automatisch omzetten',
+ 'auto_convert_quote_help' => 'Zet een offerte automatisch om in een factuur zodra deze door een klant wordt goedgekeurd.',
+ 'validate' => 'Valideren',
+ 'info' => 'Informatie',
+ 'imported_expenses' => 'Er zijn succesvol :count_vendors leverancier(s) en :count_expenses uitgaven aangemaakt.',
+ 'iframe_url_help3' => 'Opmerking: als u van plan bent om creditcard betalingen te accepteren raden wij u dringend aan om HTTPS in te schakelen op uw website.',
+ 'expense_error_multiple_currencies' => 'De uitgaven kunnen geen verschillende munteenheden hebben.',
+ 'expense_error_mismatch_currencies' => 'De munteenheid van de klant komt niet overeen met de munteenheid van de uitgave.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'eerste pagina',
+ 'all_pages' => 'alle pagina\'s',
+ 'last_page' => 'laatste pagina',
+ 'all_pages_header' => 'Toon header op',
+ 'all_pages_footer' => 'Toon footer op',
+ 'invoice_currency' => 'Factuur valuta',
+ 'enable_https' => 'We raden u dringend aan om HTTPS te gebruiken om creditcard informatie digitaal te accepteren.',
+ 'quote_issued_to' => 'Offerte uitgeschreven voor',
+ 'show_currency_code' => 'Valutacode',
+ 'free_year_message' => 'Je account is gratis geüpgrade naar een pro account voor één jaar.',
+ 'trial_message' => 'Uw account zal een gratis twee weken durende probeerversie van ons pro plan krijgen.',
+ 'trial_footer' => 'Uw gratis probeerversie duurt nog :count dagen, :link om direct te upgraden.',
+ 'trial_footer_last_day' => 'Dit is de laatste dag van uw gratis probeerversie, :link om direct te upgraden.',
+ 'trial_call_to_action' => 'Start gratis probeerversie',
+ 'trial_success' => 'De gratis twee weken durende probeerversie van het pro plan is succesvol geactiveerd.',
+ 'overdue' => 'Verlopen',
+
+
+ 'white_label_text' => 'Koop een white label licentie voor één jaar voor $:price om de Invoice Ninja reclame te verwijderen van facturen en het klantenportaal.',
+ 'user_email_footer' => 'Ga alstublieft naar :link om uw e-mail notificatie instellingen aan te passen',
+ 'reset_password_footer' => 'Neem a.u.b. contact op met onze helpdesk indien u deze wachtwoordreset niet heeft aangevraagd. Het e-mailadres van de helpdesk is :email',
+ 'limit_users' => 'Sorry, dit zou de limiet van :limit gebruikers overschrijden',
+ 'more_designs_self_host_header' => 'Krijg 6 extra factuurontwerpen voor maar $:price',
+ 'old_browser' => 'Gelieve een :link te gebruiken',
+ 'newer_browser' => 'nieuwere browser',
+ 'white_label_custom_css' => ':link voor $:price om eigen opmaak te gebruiken en ons project te ondersteunen.',
+ 'bank_accounts_help' => 'Koppel een bankrekening om automatisch uitgaven en leveranciers te importeren. Ondersteund American Express en :link.',
+ 'us_banks' => '400+ US banken',
+
+ 'pro_plan_remove_logo' => ':link om het InvoiceNinja logo te verwijderen door het pro plan te nemen',
+ 'pro_plan_remove_logo_link' => 'Klik hier',
+ 'invitation_status_sent' => 'Verzend',
+ 'invitation_status_opened' => 'Geopend',
+ 'invitation_status_viewed' => 'Bekenen',
+ 'email_error_inactive_client' => 'E-mails kunnen niet worden verstuurd naar inactieve klanten',
+ 'email_error_inactive_contact' => 'E-mails kunnen niet worden verstuurd naar inactieve contactpersonen',
+ 'email_error_inactive_invoice' => 'E-mails kunnen niet worden verstuurd naar inactieve facturen',
+ 'email_error_inactive_proposal' => 'Emails kunnen niet verzonden worden naar inactieve voorstellen',
+ 'email_error_user_unregistered' => 'Registreer een account om e-mails te kunnen versturen',
+ 'email_error_user_unconfirmed' => 'Bevestig uw account om e-mails te kunnen versturen',
+ 'email_error_invalid_contact_email' => 'Ongeldig e-mailadres van contactpersoon',
+
+ 'navigation' => 'Navigatie',
+ 'list_invoices' => 'Toon Facturen',
+ 'list_clients' => 'Toon Klanten',
+ 'list_quotes' => 'Toon Offertes',
+ 'list_tasks' => 'Toon Taken',
+ 'list_expenses' => 'Toon Uitgaven',
+ 'list_recurring_invoices' => 'Toon Terugkerende Facturen',
+ 'list_payments' => 'Toon Betalingen',
+ 'list_credits' => 'Toon Kredieten',
+ 'tax_name' => 'Belasting naam',
+ 'report_settings' => 'Rapport instellingen',
+ 'search_hotkey' => 'Snelkoppeling is /',
+
+ 'new_user' => 'Nieuwe Gebruiker',
+ 'new_product' => 'Nieuw Product',
+ 'new_tax_rate' => 'Nieuw BTW-tarief',
+ 'invoiced_amount' => 'Gefactureerd bedrag',
+ 'invoice_item_fields' => 'Factuurregels',
+ 'custom_invoice_item_fields_help' => 'Voeg een veld toe bij het aanmaken van een factuurregel en toon het label met de waarde op de PDF.',
+ 'recurring_invoice_number' => 'Terugkerend nummer',
+ 'recurring_invoice_number_prefix_help' => 'Kies een voorvoegsel voor het factuurnummer van terugkerende facturen.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Facturen beveiligen met een wachtwoord',
+ 'enable_portal_password_help' => 'Geeft u de mogelijkheid om een wachtwoord in te stellen voor elke contactpersoon. Als er een wachtwoord is ingesteld moet de contactpersoon het wachtwoord invoeren voordat deze facturen kan bekijken.',
+ 'send_portal_password' => 'Automatische Geregeerd',
+ 'send_portal_password_help' => 'Als er geen wachtwoord is ingesteld zal deze automatisch worden gegenereerd en verzonden bij de eerste factuur.',
+
+ 'expired' => 'Verlopen',
+ 'invalid_card_number' => 'Het creditcardnummer is niet geldig.',
+ 'invalid_expiry' => 'De verloopdatum is niet geldig.',
+ 'invalid_cvv' => 'Het CVV-nummer is niet geldig.',
+ 'cost' => 'Kosten',
+ 'create_invoice_for_sample' => 'Opmerking: maak uw eerste factuur om hier een voorbeeld te zien.',
+
+ // User Permissions
+ 'owner' => 'Eigenaar',
+ 'administrator' => 'Beheerder',
+ 'administrator_help' => 'Geef gebruiker de toestemming om andere gebruikers te beheren, instellingen te wijzigen en alle regels te bewerken.',
+ 'user_create_all' => 'Aanmaken van klanten, facturen, enz.',
+ 'user_view_all' => 'Bekijken van klanten, facturen, enz.',
+ 'user_edit_all' => 'Bewerken van alle klanten, facturen, enz.',
+ 'gateway_help_20' => ':link om aan te melden voor Sage Pay.',
+ 'gateway_help_21' => ':link om aan te melden voor Sage Pay.',
+ 'partial_due' => 'Te betalen voorschot',
+ 'restore_vendor' => 'Leverancier herstellen',
+ 'restored_vendor' => 'Leverancier succesvol hersteld',
+ 'restored_expense' => 'Uitgave succesvol hersteld',
+ 'permissions' => 'Rechten',
+ 'create_all_help' => 'Gebruiker toestemming geven om nieuwe regels aan te maken en te bewerken',
+ 'view_all_help' => 'Gebruiker toestemming geven om regels te bekijken die hij niet heeft gemaakt',
+ 'edit_all_help' => 'Gebruiker toestemming geven om regels te bewerken die hij niet heeft gemaakt',
+ 'view_payment' => 'Betaling bekijken',
+
+ 'january' => 'januari',
+ 'february' => 'februari',
+ 'march' => 'maart',
+ 'april' => 'april',
+ 'may' => 'mei',
+ 'june' => 'juni',
+ 'july' => 'juli',
+ 'august' => 'augustus',
+ 'september' => 'september',
+ 'october' => 'oktober',
+ 'november' => 'november',
+ 'december' => 'december',
+
+ // Documents
+ 'documents_header' => 'Documenten:',
+ 'email_documents_header' => 'Documenten:',
+ 'email_documents_example_1' => 'Widgets Kwitantie.pdf',
+ 'email_documents_example_2' => 'Definitieve Levering.zip',
+ 'quote_documents' => 'Offerte documenten',
+ 'invoice_documents' => 'Factuur documenten',
+ 'expense_documents' => 'Uitgave documenten',
+ 'invoice_embed_documents' => 'Documenten invoegen',
+ 'invoice_embed_documents_help' => 'Bijgevoegde afbeeldingen weergeven in de factuur.',
+ 'document_email_attachment' => 'Documenten bijvoegen',
+ 'ubl_email_attachment' => 'Voeg UBL toe',
+ 'download_documents' => 'Documenten downloaden (:size)',
+ 'documents_from_expenses' => 'Van uitgaven:',
+ 'dropzone_default_message' => 'Sleep bestanden hierheen of klik om te uploaden',
+ 'dropzone_fallback_message' => 'Je browser ondersteunt het slepen van bestanden niet.',
+ 'dropzone_fallback_text' => 'Gebruik de onderstaande optie om je bestanden te uploaden.',
+ 'dropzone_file_too_big' => 'Het bestand is te groot ({{filesize}}MiB). Maximale grootte: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'Je kan geen bestanden van dit type uploaden.',
+ 'dropzone_response_error' => 'De server gaf foutcode {{statusCode}} terug.',
+ 'dropzone_cancel_upload' => 'Upload annuleren',
+ 'dropzone_cancel_upload_confirmation' => 'Weet je zeker dat je deze upload wilt annuleren?',
+ 'dropzone_remove_file' => 'Bestand verwijderen',
+ 'documents' => 'Documenten',
+ 'document_date' => 'Documentdatum',
+ 'document_size' => 'Grootte',
+
+ 'enable_client_portal' => 'Dashboard',
+ 'enable_client_portal_help' => 'Toon/verberg het klantenportaal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Toon/verberg de dashboard pagina in het klantenportaal.',
+
+ // Plans
+ 'account_management' => 'Accountbeheer',
+ 'plan_status' => 'Status abonnement',
+
+ 'plan_upgrade' => 'Upgraden',
+ 'plan_change' => 'Abonnement wijzigen',
+ 'pending_change_to' => 'Veranderd naar',
+ 'plan_changes_to' => ':plan op :date',
+ 'plan_term_changes_to' => ':plan (:term) op :date',
+ 'cancel_plan_change' => 'Wijziging annuleren',
+ 'plan' => 'Abonnement',
+ 'expires' => 'Verloopt',
+ 'renews' => 'Verlengt',
+ 'plan_expired' => ':plan abonnement verlopen',
+ 'trial_expired' => ':plan proefabonnement afgelopen',
+ 'never' => 'Nooit',
+ 'plan_free' => 'Gratis',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Zakelijk',
+ 'plan_white_label' => 'Zelf gehost (White label)',
+ 'plan_free_self_hosted' => 'Zelf gehost (Gratis)',
+ 'plan_trial' => 'Proefabonnement',
+ 'plan_term' => 'Duur',
+ 'plan_term_monthly' => 'Maandelijks',
+ 'plan_term_yearly' => 'Jaarlijks',
+ 'plan_term_month' => 'Maand',
+ 'plan_term_year' => 'Jaar',
+ 'plan_price_monthly' => '$:price/maand',
+ 'plan_price_yearly' => '$:price/jaar',
+ 'updated_plan' => 'Bijgewerkte abonnement instellingen',
+ 'plan_paid' => 'Termijn gestart',
+ 'plan_started' => 'Abonnement gestart',
+ 'plan_expires' => 'Abonnement verloopt',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'Jaarabonnement op Invoice Ninja Pro.',
+ 'pro_plan_month_description' => 'Maandabonnement op Invoice Ninja Pro.',
+ 'enterprise_plan_product' => 'Zakelijk abonnement',
+ 'enterprise_plan_year_description' => 'Jaarabonnement op Invoice Ninja zakelijk.',
+ 'enterprise_plan_month_description' => 'Maandabonnement op Invoice Ninja zakelijk.',
+ 'plan_credit_product' => 'Krediet',
+ 'plan_credit_description' => 'Krediet voor ongebruikte tijd',
+ 'plan_pending_monthly' => 'Zal omgezet wordt in maandelijks op :date',
+ 'plan_refunded' => 'Een terugbetaling is toegekend.',
+
+ 'live_preview' => 'Live Voorbeeld',
+ 'page_size' => 'Paginagrootte',
+ 'live_preview_disabled' => 'Live voorbeeld weergave is uitgeschakeld om het geselecteerde lettertype te ondersteunen.',
+ 'invoice_number_padding' => 'Marge',
+ 'preview' => 'Voorbeeld',
+ 'list_vendors' => 'Toon leveranciers',
+ 'add_users_not_supported' => 'Upgrade naar het zakelijke abonnement om extra gebruikers toe te voegen aan uw account.',
+ 'enterprise_plan_features' => 'Het zakelijke abonnement voegt ondersteuning toe voor meerdere gebruikers en bijlagen, :link om een volledige lijst van de mogelijkheden te bekijken.',
+ 'return_to_app' => 'Terug naar de app',
+
+
+ // Payment updates
+ 'refund_payment' => 'Terugbetalen',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Terugbetaling',
+ 'are_you_sure_refund' => 'Geselecteerde betalingen terugbetalen?',
+ 'status_pending' => 'In afwachting',
+ 'status_completed' => 'Voltooid',
+ 'status_failed' => 'Mislukt',
+ 'status_partially_refunded' => 'Deels terugbetaald',
+ 'status_partially_refunded_amount' => ':amount terugbetaald',
+ 'status_refunded' => 'Gecrediteerd',
+ 'status_voided' => 'Geannuleerd',
+ 'refunded_payment' => 'Gecrediteerde betaling',
+ 'activity_39' => ':user heeft een a :payment_amount betaling geannuleerd :payment',
+ 'activity_40' => ':user heeft :adjustment van een :payment_amount betaling :payment',
+ 'card_expiration' => 'Verloopt:',
+
+ 'card_creditcardother' => 'Onbekend',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accepteer US bank transacties',
+ 'stripe_ach_help' => 'ACH ondersteuning moet ook ingeschakeld zijn in :link.',
+ 'ach_disabled' => 'Er is al een andere gateway geconfigureerd voor directe afschrijving.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Klantnummer',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optioneel)',
+ 'plaid_environment_help' => 'Wanneer een Stripe-testsleutel wordt gegeven, wordt de ontwikkelomgeving (tartan) van Plaid gebruikt.',
+ 'other_providers' => 'Andere leveranciers',
+ 'country_not_supported' => 'Dat land wordt niet ondersteund.',
+ 'invalid_routing_number' => 'Het banknummer is niet juist.',
+ 'invalid_account_number' => 'Het rekeningnummer is niet juist.',
+ 'account_number_mismatch' => 'De rekeningnummers komen niet overeen.',
+ 'missing_account_holder_type' => 'Kies alstublieft een persoonlijke rekening of een bedrijfsrekening.',
+ 'missing_account_holder_name' => 'Voer alstublieft de rekeninghouder in.',
+ 'routing_number' => 'Banknummer',
+ 'confirm_account_number' => 'Bevestig rekeningnummer',
+ 'individual_account' => 'Persoonlijke rekening',
+ 'company_account' => 'Bedrijfsrekening',
+ 'account_holder_name' => 'Rekeninghouder',
+ 'add_account' => 'Rekening toevoegen',
+ 'payment_methods' => 'Betalingsmethode',
+ 'complete_verification' => 'Verificatie voltooien',
+ 'verification_amount1' => 'Bedrag 1',
+ 'verification_amount2' => 'Bedrag 2',
+ 'payment_method_verified' => 'Verificatie succesvol voltooid',
+ 'verification_failed' => 'Verificatie mislukt',
+ 'remove_payment_method' => 'Betalingsmethode verwijderen',
+ 'confirm_remove_payment_method' => 'Weet u zeker dat u deze betalingsmethode wilt verwijderen?',
+ 'remove' => 'Verwijderen',
+ 'payment_method_removed' => 'Betalingsmethode verwijderd.',
+ 'bank_account_verification_help' => 'We hebben twee bedragen met de omschrijving "VERIFICATION" overgeboekt naar uw rekening. Het duurt 1 à 2 werkdagen voordat deze overschrijvingen zichtbaar zijn op uw afschriften. Voer de bedragen hieronder in.',
+ 'bank_account_verification_next_steps' => 'We hebben twee bedragen met de omschrijving "VERIFICATION" overgeboekt naar uw rekening. Het duurt 1 à 2 werkdagen voordat deze overschrijvingen zichtbaar zijn op uw afschriften.
+Kom terug naar deze betalingsmethode pagina zodra u de bedragen heeft ontvangen en klik op "Verificatie voltooien" direct naast de rekening.',
+ 'unknown_bank' => 'Onbekende bank',
+ 'ach_verification_delay_help' => 'U kunt de rekening gebruiken na het voltooien van de verificatie. Verificatie duurt doorgaans 1 à 2 werkdagen.',
+ 'add_credit_card' => 'Creditcard toevoegen',
+ 'payment_method_added' => 'Betalingsmethode toegevoegd.',
+ 'use_for_auto_bill' => 'Gebruiken voor Autobill',
+ 'used_for_auto_bill' => 'Autobill betalingsmethode',
+ 'payment_method_set_as_default' => 'Autobill betalingsmethode instellen.',
+ 'activity_41' => 'Betaling van :payment_amount mislukt (:payment)',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'U moet :link.',
+ 'stripe_webhook_help_link_text' => 'deze URL toevoegen als een endpoint in Stripe',
+ 'gocardless_webhook_help_link_text' => 'deze URL toevoegen als een endpoint in GoCardless',
+ 'payment_method_error' => 'Er is een fout opgetreden bij het toevoegen van de betalingsmethode. Probeer het later opnieuw.',
+ 'notification_invoice_payment_failed_subject' => 'Betaling mislukt voor factuur :invoice',
+ 'notification_invoice_payment_failed' => 'Een betaling van :client voor factuur :invoice is mislukt. De betaling is gemarkeerd als mislukt en het :amount is toegevoegd aan het krediet van de klant.',
+ 'link_with_plaid' => 'Rekening direct koppelen met Plaid',
+ 'link_manually' => 'Handmatig koppelen',
+ 'secured_by_plaid' => 'Beveiligd met Plaid',
+ 'plaid_linked_status' => 'Uw bankrekening bij :bank',
+ 'add_payment_method' => 'Betalingsmethode toevoegen',
+ 'account_holder_type' => 'Type rekeninghouder',
+ 'ach_authorization' => 'Ik geef :company toestemming om mijn bankrekening te gebruiken voor toekomstige betalingen en, indien nodig, te crediteren op mijn rekening om foutieve afschrijvingen te corrigeren. I begrijp dat ik deze toestemming te allen tijde mag annuleren door de betalingsmethode te verwijderen of door contact op te nemen via :email.',
+ 'ach_authorization_required' => 'U moet toestemming geven voor ACH overschrijvingen.',
+ 'off' => 'Uit',
+ 'opt_in' => 'Meedoen',
+ 'opt_out' => 'Terugtrekken',
+ 'always' => 'Altijd',
+ 'opted_out' => 'Teruggetrokken',
+ 'opted_in' => 'Meegedaan',
+ 'manage_auto_bill' => 'Beheer Autobill',
+ 'enabled' => 'Ingeschakeld',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'PayPal betalingen via BrainTree inschakelen',
+ 'braintree_paypal_disabled_help' => 'De PayPal gateway verwerkt PayPal betalingen',
+ 'braintree_paypal_help' => 'U moet ook :link.',
+ 'braintree_paypal_help_link_text' => 'PayPal koppelen aan uw BrainTree account',
+ 'token_billing_braintree_paypal' => 'Betalingsgegevens opslaan',
+ 'add_paypal_account' => 'PayPal rekening toevoegen',
+
+
+ 'no_payment_method_specified' => 'Geen betalingsmethode gespecificeerd',
+ 'chart_type' => 'Grafiektype',
+ 'format' => 'Formaat',
+ 'import_ofx' => 'OFX importeren',
+ 'ofx_file' => 'OFX-bestand',
+ 'ofx_parse_failed' => 'OFX-bestand kon niet worden verwerkt',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Aanmelden met WePay',
+ 'use_another_provider' => 'Gebruik een andere leverancier',
+ 'company_name' => 'Bedrijfsnaam',
+ 'wepay_company_name_help' => 'Dit wordt zichtbaar op de creditcard afschriften van de klant.',
+ 'wepay_description_help' => 'De reden van deze account.',
+ 'wepay_tos_agree' => 'Ik ga akkoord met de :link.',
+ 'wepay_tos_link_text' => 'WePay servicevoorwaarden',
+ 'resend_confirmation_email' => 'Bevestigings-e-mail opnieuw versturen',
+ 'manage_account' => 'Account beheren',
+ 'action_required' => 'Actie vereist',
+ 'finish_setup' => 'Installatie voltooien',
+ 'created_wepay_confirmation_required' => 'Controleer uw e-mail en bevestig uw e-mailadres met WePay.',
+ 'switch_to_wepay' => 'Overschakelen naar WePay',
+ 'switch' => 'Overschakelen',
+ 'restore_account_gateway' => 'Gateway herstellen',
+ 'restored_account_gateway' => 'Gateway succesvol hersteld',
+ 'united_states' => 'Verenigde Staten',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accepteer betaalkaart',
+ 'debit_cards' => 'Betaalkaarten',
+
+ 'warn_start_date_changed' => 'Het volgende factuur zal verzonden worden op de nieuwe startdatum.',
+ 'warn_start_date_changed_not_sent' => 'Het volgende factuur zal aangemaakt worden op de nieuwe startdatum.',
+ 'original_start_date' => 'Oorspronkelijke startdatum',
+ 'new_start_date' => 'Nieuwe startdatum',
+ 'security' => 'Beveiliging',
+ 'see_whats_new' => 'Bekijk wat veranderde in v:version',
+ 'wait_for_upload' => 'Gelieve te wachten tot de upload van het document compleet is.',
+ 'upgrade_for_permissions' => 'Upgrade naar het zakelijke abonnement om machtigingen in te schakelen.',
+ 'enable_second_tax_rate' => 'Activeer het specifiëren van een tweede belastingpercentage',
+ 'payment_file' => 'Betalingsbestand',
+ 'expense_file' => 'Uitgavenbestand',
+ 'product_file' => 'Productbestand',
+ 'import_products' => 'Producten importeren',
+ 'products_will_create' => 'producten zullen aangemaakt worden',
+ 'product_key' => 'Product',
+ 'created_products' => ':count product(en) succesvol aangemaakt/bijgewerkt',
+ 'export_help' => 'Gebruik JSON als u van plan bent om de gegevens te importeren in Invoice Ninja.
Het bestand omvat klanten, producten, facturen, offertes en betalingen.',
+ 'selfhost_export_help' => '
We raden mysqldump aan om een volledige backup te maken.',
+ 'JSON_file' => 'JSON bestand',
+
+ 'view_dashboard' => 'Bekijk dashboard',
+ 'client_session_expired' => 'Sessie verlopen',
+ 'client_session_expired_message' => 'Uw sessie is verlopen. Gelieve de link in de e-mail opnieuw te openen.',
+
+ 'auto_bill_notification' => 'Deze factuur zal automatisch worden gefactureerd aan uw opgeslagen betalingsmethode op de vervaldag.',
+ 'auto_bill_payment_method_bank_transfer' => 'Bankrekening',
+ 'auto_bill_payment_method_credit_card' => 'creditcard',
+ 'auto_bill_payment_method_paypal' => 'PayPal account',
+ 'auto_bill_notification_placeholder' => 'Deze factuur zal automatisch worden gefactureerd aan uw creditcard op de vervaldag.',
+ 'payment_settings' => 'Betalingsinstellingen',
+
+ 'on_send_date' => 'Op verzendingsdatum',
+ 'on_due_date' => 'Op vervaldatum',
+ 'auto_bill_ach_date_help' => 'ACH automatische facturatie zal atijd uitgevoerd worden op de vervaldag',
+ 'warn_change_auto_bill' => 'Vanwege NACHA regels kunnen aanpassingen aan dit factuur ACH automatische facturatie voorkomen.',
+
+ 'bank_account' => 'Bankrekening',
+ 'payment_processed_through_wepay' => 'ACH betalingen zullen verwerkt worden met WePay.',
+ 'wepay_payment_tos_agree' => 'Ik ga akkoord met de WePay :terms en :privacy_policy.',
+ 'privacy_policy' => 'Privacybeleid',
+ 'wepay_payment_tos_agree_required' => 'U moet akkoord gaan met de WePay voorwaarden en privacybeleid.',
+ 'ach_email_prompt' => 'Gelieve uw e-maildres in te vullen:',
+ 'verification_pending' => 'Verificatie in afwachting',
+
+ 'update_font_cache' => 'Forceer het vernieuwen van de pagina om de font cache bij te werken.',
+ 'more_options' => 'Meer opties',
+ 'credit_card' => 'Creditcard',
+ 'bank_transfer' => 'Overschrijving',
+ 'no_transaction_reference' => 'We ontvingen geen betalingstransactie referentie van de gateway.',
+ 'use_bank_on_file' => 'Gebruik opgeslagen bank',
+ 'auto_bill_email_message' => 'Deze factuur zal automatisch worden gefactureerd aan uw opgeslagen betalingsmethode op de vervaldag.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Toegevoegd op :date',
+ 'failed_remove_payment_method' => 'Verwijderen van betalingsmethode mislukt',
+ 'gateway_exists' => 'Deze gateway bestaat reeds',
+ 'manual_entry' => 'Manuele invoer',
+ 'start_of_week' => 'Eerste dag van de week',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactief',
+ 'freq_daily' => 'Dagelijks',
+ 'freq_weekly' => 'Wekelijks',
+ 'freq_biweekly' => 'Tweewekelijks',
+ 'freq_two_weeks' => 'Twee weken',
+ 'freq_four_weeks' => 'Vier weken',
+ 'freq_monthly' => 'Maandelijks',
+ 'freq_three_months' => 'Drie maanden',
+ 'freq_four_months' => 'Vier maanden',
+ 'freq_six_months' => 'Zes maanden',
+ 'freq_annually' => 'Jaarlijks',
+ 'freq_two_years' => 'Twee jaar',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Krediet toepassen',
+ 'payment_type_Bank Transfer' => 'Overschrijving',
+ 'payment_type_Cash' => 'Contant',
+ 'payment_type_Debit' => 'Debet',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visakaart',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Andere creditcard',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Cheque',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Automatisch incasso',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Boekhouding & juridisch',
+ 'industry_Advertising' => 'Adverteren',
+ 'industry_Aerospace' => 'Ruimtevaart',
+ 'industry_Agriculture' => 'Landbouw',
+ 'industry_Automotive' => 'Automobiel',
+ 'industry_Banking & Finance' => 'Bank & financiën',
+ 'industry_Biotechnology' => 'Biotechnologie',
+ 'industry_Broadcasting' => 'Omroep',
+ 'industry_Business Services' => 'Zakelijke diensten',
+ 'industry_Commodities & Chemicals' => 'Koopwaar & chemicaliën',
+ 'industry_Communications' => 'Communicatie',
+ 'industry_Computers & Hightech' => 'Computers & hoogtechnologisch',
+ 'industry_Defense' => 'Defensie',
+ 'industry_Energy' => 'Energie',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Overheid',
+ 'industry_Healthcare & Life Sciences' => 'Gezondheid & levenswetenschappen',
+ 'industry_Insurance' => 'Verzekering',
+ 'industry_Manufacturing' => 'Fabricage',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Non profit & hoger onderwijs',
+ 'industry_Pharmaceuticals' => 'Farmaceutisch',
+ 'industry_Professional Services & Consulting' => 'Professionele diensten & raadgeving',
+ 'industry_Real Estate' => 'Onroerend goed',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Klein- & groothandel',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Vervoer',
+ 'industry_Travel & Luxury' => 'Reizen & luxe',
+ 'industry_Other' => 'Andere',
+ 'industry_Photography' => 'Fotografie',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albanië',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algerije',
+ 'country_American Samoa' => 'Amerikaans-Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua en Barbuda',
+ 'country_Azerbaijan' => 'Azerbeidzjan',
+ 'country_Argentina' => 'Argentinië',
+ 'country_Australia' => 'Australië',
+ 'country_Austria' => 'Australië',
+ 'country_Bahamas' => 'Bahama\'s',
+ 'country_Bahrain' => 'Bahrein',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenië',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'België',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia',
+ 'country_Bosnia and Herzegovina' => 'Bosnië en Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouveteiland',
+ 'country_Brazil' => 'Brazilië',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'Brits Indische Oceaanterritorium',
+ 'country_Solomon Islands' => 'Salomonseilanden',
+ 'country_Virgin Islands, British' => 'Britse Maagdeneilanden',
+ 'country_Brunei Darussalam' => 'Brunei',
+ 'country_Bulgaria' => 'Bulgarije',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Wit-Rusland',
+ 'country_Cambodia' => 'Cambodja',
+ 'country_Cameroon' => 'Kameroen',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Kaapverdië',
+ 'country_Cayman Islands' => 'Kaaimaneilanden',
+ 'country_Central African Republic' => 'Centraal-Afrikaanse Republiek',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Tsjaad',
+ 'country_Chile' => 'Chili',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan',
+ 'country_Christmas Island' => 'Christmaseiland',
+ 'country_Cocos (Keeling) Islands' => 'Cocoseilanden',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoren',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo-Kinshasa',
+ 'country_Congo, the Democratic Republic of the' => 'Congo',
+ 'country_Cook Islands' => 'Cookeilanden',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Kroatië',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Tsjechië',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denemarken',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominicaanse Republiek',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatoriaal-Guinea',
+ 'country_Ethiopia' => 'Ethiopië',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estland',
+ 'country_Faroe Islands' => 'Faeröer',
+ 'country_Falkland Islands (Malvinas)' => 'Falklandeilanden',
+ 'country_South Georgia and the South Sandwich Islands' => 'Zuid-Georgia en de Zuidelijke Sandwicheilanden',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland',
+ 'country_France' => 'Frankrijk',
+ 'country_French Guiana' => 'Frans-Guyana',
+ 'country_French Polynesia' => 'Frans-Polynesië',
+ 'country_French Southern Territories' => 'Franse Zuidelijke en Antarctische Gebieden',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgië',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Westelijke Jordaanoever',
+ 'country_Germany' => 'Duitsland',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Griekenland',
+ 'country_Greenland' => 'Groenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ 'country_Guam' => 'Guam',
+ 'country_Guatemala' => 'Guatemala',
+ 'country_Guinea' => 'Guinee',
+ 'country_Guyana' => 'Guyana',
+ 'country_Haiti' => 'Haïti',
+ 'country_Heard Island and McDonald Islands' => 'Heard en McDonaldeilanden',
+ 'country_Holy See (Vatican City State)' => 'Heilige Stoel',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hongkong',
+ 'country_Hungary' => 'Hongarije',
+ 'country_Iceland' => 'IJsland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesië',
+ 'country_Iran, Islamic Republic of' => 'Iran',
+ 'country_Iraq' => 'Irak',
+ 'country_Ireland' => 'Ierland',
+ 'country_Israel' => 'Israël',
+ 'country_Italy' => 'Italië',
+ 'country_Côte d\'Ivoire' => 'Ivoorkust',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazachstan',
+ 'country_Jordan' => 'Jordanië',
+ 'country_Kenya' => 'Kenia',
+ 'country_Korea, Democratic People\'s Republic of' => 'Noord-Korea',
+ 'country_Korea, Republic of' => 'Zuid-Korea',
+ 'country_Kuwait' => 'Koeweit',
+ 'country_Kyrgyzstan' => 'Kirgizië',
+ 'country_Lao People\'s Democratic Republic' => 'Laos',
+ 'country_Lebanon' => 'Libanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Letland',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libië',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Litouwen',
+ 'country_Luxembourg' => 'Luxemburg',
+ 'country_Macao' => 'Macau',
+ 'country_Madagascar' => 'Madagaskar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Maleisië',
+ 'country_Maldives' => 'Maldiven',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritanië',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolië',
+ 'country_Moldova, Republic of' => 'Moldavië',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Marokko',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibië',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Nederland',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Caribisch Nederland',
+ 'country_New Caledonia' => 'Nieuw-Caledonië',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'Nieuw-Zeeland',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Nigeria',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk',
+ 'country_Norway' => 'Noorwegen',
+ 'country_Northern Mariana Islands' => 'Noordelijke Marianen',
+ 'country_United States Minor Outlying Islands' => 'Kleine afgelegen eilanden van de Verenigde Staten',
+ 'country_Micronesia, Federated States of' => 'Micronesia',
+ 'country_Marshall Islands' => 'Marshalleilanden',
+ 'country_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papoea-Nieuw-Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Filipijnen',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Polen',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinee-Bissau',
+ 'country_Timor-Leste' => 'Oost-Timor',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Roemenië',
+ 'country_Russian Federation' => 'Rusland',
+ 'country_Rwanda' => 'Rwanda',
+ 'country_Saint Barthélemy' => 'Saint-Barthélemy',
+ 'country_Saint Helena, Ascension and Tristan da Cunha' => 'Sint-Helena, Ascension en Tristan da Cunha',
+ 'country_Saint Kitts and Nevis' => 'Saint Kitts en Nevis',
+ 'country_Anguilla' => 'Anguilla',
+ 'country_Saint Lucia' => 'Saint Lucia',
+ 'country_Saint Martin (French part)' => 'Saint Martin',
+ 'country_Saint Pierre and Miquelon' => 'Saint-Pierre en Miquelon',
+ 'country_Saint Vincent and the Grenadines' => 'Saint Vincent en de Grenadines',
+ 'country_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tomé en Principe',
+ 'country_Saudi Arabia' => 'Saoedi-Arabië',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Servië',
+ 'country_Seychelles' => 'Seychellen',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slowakije',
+ 'country_Viet Nam' => 'Vietnam',
+ 'country_Slovenia' => 'Slovenië',
+ 'country_Somalia' => 'Somalië',
+ 'country_South Africa' => 'Zuid-Afrika',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spanje',
+ 'country_South Sudan' => 'Zuid-Soedan',
+ 'country_Sudan' => 'Soedan',
+ 'country_Western Sahara' => 'Westelijke Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Spitsbergen en Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Zweden',
+ 'country_Switzerland' => 'Zwitserland',
+ 'country_Syrian Arab Republic' => 'Syrië',
+ 'country_Tajikistan' => 'Tadzjikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad en Tobago',
+ 'country_United Arab Emirates' => 'Verenigde Arabische Emiraten',
+ 'country_Tunisia' => 'Tunesië',
+ 'country_Turkey' => 'Turkije',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks- en Caicoseilanden',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Oeganda',
+ 'country_Ukraine' => 'Oekraïne',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonië',
+ 'country_Egypt' => 'Egypte',
+ 'country_United Kingdom' => 'Verenigd Koninkrijk',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania',
+ 'country_United States' => 'Verenigde Staten',
+ 'country_Virgin Islands, U.S.' => 'Amerikaanse Maagdeneilanden',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Oezbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela',
+ 'country_Wallis and Futuna' => 'Wallis en Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Jemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Braziliaans Portugees',
+ 'lang_Croatian' => 'Kroatië',
+ 'lang_Czech' => 'Tsjechië',
+ 'lang_Danish' => 'Deens',
+ 'lang_Dutch' => 'Nederlands',
+ 'lang_English' => 'Engels',
+ 'lang_French' => 'Frans',
+ 'lang_French - Canada' => 'Frans - Canada',
+ 'lang_German' => 'Duits',
+ 'lang_Italian' => 'Italiaans',
+ 'lang_Japanese' => 'Japans',
+ 'lang_Lithuanian' => 'Litouws',
+ 'lang_Norwegian' => 'Noors',
+ 'lang_Polish' => 'Pools
+',
+ 'lang_Spanish' => 'Spaans',
+ 'lang_Spanish - Spain' => 'Spaans - Spanje',
+ 'lang_Swedish' => 'Zweeds',
+ 'lang_Albanian' => 'Albanees',
+ 'lang_Greek' => 'Grieks',
+ 'lang_English - United Kingdom' => 'Engels - Verenigd Koninkrijk',
+ 'lang_Slovenian' => 'Sloveens',
+ 'lang_Finnish' => 'Fins',
+ 'lang_Romanian' => 'Roemeens',
+ 'lang_Turkish - Turkey' => 'Turks - Turkije',
+ 'lang_Portuguese - Brazilian' => 'Portugees - Braziliaans',
+ 'lang_Portuguese - Portugal' => 'Portugees - Portugal',
+ 'lang_Thai' => 'Thais',
+ 'lang_Macedonian' => 'Macedonisch',
+ 'lang_Chinese - Taiwan' => 'Chinees - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Boekhouding & juridisch',
+ 'industry_Advertising' => 'Adverteren',
+ 'industry_Aerospace' => 'Ruimtevaart',
+ 'industry_Agriculture' => 'Landbouw',
+ 'industry_Automotive' => 'Automobiel',
+ 'industry_Banking & Finance' => 'Bank & financiën',
+ 'industry_Biotechnology' => 'Biotechnologie',
+ 'industry_Broadcasting' => 'Omroep',
+ 'industry_Business Services' => 'Zakelijke diensten',
+ 'industry_Commodities & Chemicals' => 'Koopwaar & chemicaliën',
+ 'industry_Communications' => 'Communicatie',
+ 'industry_Computers & Hightech' => 'Computers & hoogtechnologisch',
+ 'industry_Defense' => 'Defensie',
+ 'industry_Energy' => 'Energie',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Overheid',
+ 'industry_Healthcare & Life Sciences' => 'Gezondheid & levenswetenschappen',
+ 'industry_Insurance' => 'Verzekering',
+ 'industry_Manufacturing' => 'Fabricage',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Non profit & hoger onderwijs',
+ 'industry_Pharmaceuticals' => 'Farmaceutisch',
+ 'industry_Professional Services & Consulting' => 'Professionele diensten & raadgeving',
+ 'industry_Real Estate' => 'Onroerend goed',
+ 'industry_Retail & Wholesale' => 'Klein- & groothandel',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Vervoer',
+ 'industry_Travel & Luxury' => 'Reizen & luxe',
+ 'industry_Other' => 'Andere',
+ 'industry_Photography' =>'Fotografie',
+
+ 'view_client_portal' => 'Toon klantportaal',
+ 'view_portal' => 'Toon portaal',
+ 'vendor_contacts' => 'Leveranciercontacten',
+ 'all' => 'Alles',
+ 'selected' => 'Geselecteerd',
+ 'category' => 'Categorie',
+ 'categories' => 'Categorieën',
+ 'new_expense_category' => 'Nieuwe uitgave categorie',
+ 'edit_category' => 'Categorie bewerken',
+ 'archive_expense_category' => 'Archiveer categorie',
+ 'expense_categories' => 'Uitgave categorie',
+ 'list_expense_categories' => 'Toon uitgave categorieën',
+ 'updated_expense_category' => 'Uitgave categorie succesvol bijgewerkt',
+ 'created_expense_category' => 'Uitgave categorie succesvol aangemaakt',
+ 'archived_expense_category' => 'Uitgave categorie succesvol gearchiveerd',
+ 'archived_expense_categories' => ':count uitgave categorieën gearchiveerd',
+ 'restore_expense_category' => 'Herstel uitgave categorie',
+ 'restored_expense_category' => 'Uitgave categorie succesvol hersteld',
+ 'apply_taxes' => 'Belasting toepassen',
+ 'min_to_max_users' => ':min tot :max gebruikers',
+ 'max_users_reached' => 'Het maximale aantal gebruikers is bereikt.',
+ 'buy_now_buttons' => 'Koop nu knoppen',
+ 'landing_page' => 'Landingspagina',
+ 'payment_type' => 'Betalingswijze',
+ 'form' => 'Formulier',
+ 'link' => 'Link',
+ 'fields' => 'Velden',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Opmerking: de klant en factuur worden aangemaakt ook al is de transactie niet afgerond.',
+ 'buy_now_buttons_disabled' => 'Deze functie vereist dat een product is aangemaakt en een betalingsgateway is geconfigureerd.',
+ 'enable_buy_now_buttons_help' => 'Ondersteuning inschakelen voor koop nu knoppen',
+ 'changes_take_effect_immediately' => 'Opmerking: wijzigingen zijn onmiddelijk van kracht',
+ 'wepay_account_description' => 'Betalings gateway voor Invoice Ninja',
+ 'payment_error_code' => 'Er trad een fout op tijdens het verwerken van uw betaling [:code]. Gelieve het later opnieuw te proberen.',
+ 'standard_fees_apply' => 'Toeslag: 2.9%/1.2% [kredietkaart/overschijving] + $0.30 per succesvolle aanrekening.',
+ 'limit_import_rows' => 'Data dient geïmporteerd te worden in delen van :count rijen of minder',
+ 'error_title' => 'Er ging iets mis',
+ 'error_contact_text' => 'Indien u hulp wenst gelieve ons te contacteren op :mailaddress',
+ 'no_undo' => 'Waarschuwing: dit kan niet ongedaan gemaakt worden.',
+ 'no_contact_selected' => 'Gelieve een contact te selecteren',
+ 'no_client_selected' => 'Gelieve een klant te selecteren',
+
+ 'gateway_config_error' => 'Het kan helpen om nieuwe wachtwoorden in te stellen of nieuwe API sleutels te genereren.',
+ 'payment_type_on_file' => ':type opgeslagen',
+ 'invoice_for_client' => 'Factuur :invoice voor :client',
+ 'intent_not_found' => 'Sorry, ik weet niet goed wat u vraagt.',
+ 'intent_not_supported' => 'Sorry, ik ben niet in staat om dat te doen.',
+ 'client_not_found' => 'Ik was niet in staat om de klant te vinden',
+ 'not_allowed' => 'Sorry, u heeft niet de benodigde machtigingen',
+ 'bot_emailed_invoice' => 'Uw factuur is verzonden.',
+ 'bot_emailed_notify_viewed' => 'Ik e-mail u als het bekeken is.',
+ 'bot_emailed_notify_paid' => 'Ik e-mail u als het betaald is.',
+ 'add_product_to_invoice' => 'Voeg 1 :product toe',
+ 'not_authorized' => 'U bent niet gemachtigd',
+ 'bot_get_email' => 'Hallo! (wave)
Bedankt om de Invoice Ninja Bot uit te proberen.
Je moet een gratis account aanmaken om de bot te kunnen gebruiken.
Stuur me uw e-mailadres om van start te gaan.',
+ 'bot_get_code' => 'Bedankt! Ik heb u een e-mail gestuurd met uw beveiligingscode.',
+ 'bot_welcome' => 'Dat was het, uw account is geverifieerd.
',
+ 'email_not_found' => 'Ik was niet in staat om een beschikbaar account te vinden voor :email',
+ 'invalid_code' => 'De code is niet correct',
+ 'security_code_email_subject' => 'Beveiligingscode voor Invoice Ninja Bot',
+ 'security_code_email_line1' => 'Dit is uw Invoice Ninja Bot beveiligingscode.',
+ 'security_code_email_line2' => 'Opmerking: deze zal over 10 minuten vervallen.',
+ 'bot_help_message' => 'Momenteel ondersteun ik:
• Aanmaken\bewerken\emailen van facturene
• Producten tonen
Bijvoorbeeld:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'Toon producten',
+
+ 'include_item_taxes_inline' => 'Gebruik lijnartikel belasting in lijntotaal',
+ 'created_quotes' => ':count offertes succesvol aangemaakt',
+ 'limited_gateways' => 'Opmerking: we ondersteunen één creditcard gateway per bedrijf.',
+
+ 'warning' => 'Waarschuwing',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Invoice Ninja bijwerken',
+ 'update_invoiceninja_warning' => 'Maak een backup van de database en bestanden vóór het upgraden van Invoice Ninja!',
+ 'update_invoiceninja_available' => 'Een nieuwe versie van Invoice Ninja is beschikbaar.',
+ 'update_invoiceninja_unavailable' => 'Er is geen nieuwe versie van Invoice Ninja beschikbaar.',
+ 'update_invoiceninja_instructions' => 'Gelieve de nieuwe versie :version te installeren door op onderstaande Nu updaten knop te klikken. Nadien wordt u doorgestuurd naar het dashboard.',
+ 'update_invoiceninja_update_start' => 'Nu bijwerken',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Nieuwe aanmaken',
+
+ 'toggle_navigation' => 'Toon/verberg navigatie',
+ 'toggle_history' => 'Toon/verberg geschiedenis',
+ 'unassigned' => 'Niet toegewezen',
+ 'task' => 'Taak',
+ 'contact_name' => 'Contactnaam',
+ 'city_state_postal' => 'Postcode',
+ 'custom_field' => 'Aangepast veld',
+ 'account_fields' => 'Velden bedrijf',
+ 'facebook_and_twitter' => 'Facebook en Twitter',
+ 'facebook_and_twitter_help' => 'Volg onze feeds om ons te helpen met het project',
+ 'reseller_text' => 'Opmerking: de white-label licentie is bedoeld voor persoonlijk gebruik, gelieve ons te contacteren op :email indien u de app door wilt verkopen.',
+ 'unnamed_client' => 'Onbenoemde klant',
+
+ 'day' => 'Dag',
+ 'week' => 'Week',
+ 'month' => 'Maand',
+ 'inactive_logout' => 'U bent uitgelogd vanwege inactiviteit',
+ 'reports' => 'Rapporten',
+ 'total_profit' => 'Totale winst',
+ 'total_expenses' => 'Totale uitgaven',
+ 'quote_to' => 'Offerte aan',
+
+ // Limits
+ 'limit' => 'Limiet',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'Geen limieten',
+ 'set_limits' => 'Stel :gateway_type limieten in',
+ 'enable_min' => 'Min inschakelen',
+ 'enable_max' => 'Max inschakelen',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'Dit factuur voldoet niet aan de limieten voor die betalingsmethode.',
+
+ 'date_range' => 'Datumbereik',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Versleep de velden om de volgorde en de locatie te wijzigen',
+ 'new_category' => 'Nieuwe categorie',
+ 'restore_product' => 'Herstel product',
+ 'blank' => 'Blanco',
+ 'invoice_save_error' => 'Er was een fout bij het opslaan van uw factuur',
+ 'enable_recurring' => 'Terugkerend inschakelen',
+ 'disable_recurring' => 'Terugkerend uitschakelen',
+ 'text' => 'Tekst',
+ 'expense_will_create' => 'uitgave zal aangemaakt worden',
+ 'expenses_will_create' => 'uitgaven zullen aangemaakt worden',
+ 'created_expenses' => ':count uitgaven succesvol aangemaakt',
+
+ 'translate_app' => 'Help onze vertalingen te verbeteren met :link',
+ 'expense_category' => 'Uitgave categorie',
+
+ 'go_ninja_pro' => 'Ga Ninja Pro!',
+ 'go_enterprise' => 'Ga zakelijk!',
+ 'upgrade_for_features' => 'Upgrade voor meer mogelijkheden',
+ 'pay_annually_discount' => 'Betaal jaarlijks voor 10 maanden en krijg er 2 gratis!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'UwMerk.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Pas elk aspect aan van uw factuur!',
+ 'enterprise_upgrade_feature1' => 'Stel machtigingen in voor meerdere gebruikers',
+ 'enterprise_upgrade_feature2' => 'Voeg externe documenten toe aan facturen & uitgaven',
+ 'much_more' => 'Veel meer!',
+ 'all_pro_fetaures' => 'Plus alle pro functies!',
+
+ 'currency_symbol' => 'Symbool',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Koop licentie',
+ 'apply_license' => 'Activeer licentie',
+ 'submit' => 'Opslaan',
+ 'white_label_license_key' => 'Licentiesleutel',
+ 'invalid_white_label_license' => 'De whitelabel licentie is niet geldig',
+ 'created_by' => 'Aangemaakt door :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'Eerste maand van het jaar',
+ 'authentication' => 'Authenticatie',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Handtekening',
+ 'show_accept_invoice_terms' => 'Factuurvoorwaarden checkbox',
+ 'show_accept_invoice_terms_help' => 'Verplicht de klant om akkoord te gaan met de factuurvoorwaarden.',
+ 'show_accept_quote_terms' => 'Offertevoorwaarden checkbox',
+ 'show_accept_quote_terms_help' => 'Verplicht de klant om akkoord te gaan met de offertevoorwaarden.',
+ 'require_invoice_signature' => 'Factuur handtekening',
+ 'require_invoice_signature_help' => 'Verplicht de klant om zijn handtekening te zetten.',
+ 'require_quote_signature' => 'Offerte handtekening',
+ 'require_quote_signature_help' => 'Verplicht de klant zijn handtekening te zetten.',
+ 'i_agree' => 'Ik ga akkoord met de voorwaarden',
+ 'sign_here' => 'Gelieve hier te tekenen:',
+ 'authorization' => 'Autorisatie',
+ 'signed' => 'Getekend',
+
+ // BlueVine
+ 'bluevine_promo' => 'Krijg flexibele zakelijke kredietlijnen en factuur factoring met BlueVine.',
+ 'bluevine_modal_label' => 'Aanmelden met BlueVine',
+ 'bluevine_modal_text' => 'Snelle financiering voor uw bedrijf. Geen papierwerk.
+Flexibele zakelijke kredietlijnen en factuur factoring.
',
+ 'bluevine_create_account' => 'Account aanmaken',
+ 'quote_types' => 'Ontvang een offerte voor',
+ 'invoice_factoring' => 'Factuur factoring',
+ 'line_of_credit' => 'Kredietlijn',
+ 'fico_score' => 'Uw FICO score',
+ 'business_inception' => 'Zakelijke startdatum',
+ 'average_bank_balance' => 'Gemiddelde balans bankrekening',
+ 'annual_revenue' => 'Jaarlijkse inkomsten',
+ 'desired_credit_limit_factoring' => 'Gewenste factuur factoring limiet',
+ 'desired_credit_limit_loc' => 'Gewenste kredietlijn limiet',
+ 'desired_credit_limit' => 'Gewenste krediet limiet',
+ 'bluevine_credit_line_type_required' => 'Gelieve er minstens één te selecteren',
+ 'bluevine_field_required' => 'Dit veld is vereist',
+ 'bluevine_unexpected_error' => 'Er is een onverwachte fout opgetreden.',
+ 'bluevine_no_conditional_offer' => 'Er is meer informatie nodig om een offerte te verkrijgen. Klik op verdergaan hieronder.',
+ 'bluevine_invoice_factoring' => 'Factuur factoring',
+ 'bluevine_conditional_offer' => 'Voorwaardelijk aanbod',
+ 'bluevine_credit_line_amount' => 'Kredietlijn',
+ 'bluevine_advance_rate' => 'Voorschot tarief',
+ 'bluevine_weekly_discount_rate' => 'Wekelijks kortingspercentage',
+ 'bluevine_minimum_fee_rate' => 'Minimale kosten',
+ 'bluevine_line_of_credit' => 'Kredietlijn',
+ 'bluevine_interest_rate' => 'Rente',
+ 'bluevine_weekly_draw_rate' => 'Wekelijks treksnelheid',
+ 'bluevine_continue' => 'Ga verder naar BlueVine',
+ 'bluevine_completed' => 'BlueVine aanmelding voltooid',
+
+ 'vendor_name' => 'Leverancier',
+ 'entity_state' => 'Staat',
+ 'client_created_at' => 'Aanmaakdatum',
+ 'postmark_error' => 'Er was een probleem met het versturen van de e-mail via Postmark :link',
+ 'project' => 'Project',
+ 'projects' => 'Projecten',
+ 'new_project' => 'Nieuw project',
+ 'edit_project' => 'Project aanpassen',
+ 'archive_project' => 'Project Archiveren',
+ 'list_projects' => 'Toon Projecten',
+ 'updated_project' => 'Project succesvol bijgewerkt',
+ 'created_project' => 'Project succesvol aangemaakt',
+ 'archived_project' => 'Project succesvol gearchiveerd',
+ 'archived_projects' => ':count projecten succesvol gearchiveerd',
+ 'restore_project' => 'Herstel project',
+ 'restored_project' => 'Project succesvol hersteld',
+ 'delete_project' => 'Project verwijderen',
+ 'deleted_project' => 'Project succesvol verwijderd',
+ 'deleted_projects' => ':count projecten succesvol verwijderd',
+ 'delete_expense_category' => 'Categorie verwijderen',
+ 'deleted_expense_category' => 'Categorie succesvol verwijderd',
+ 'delete_product' => 'Product verwijderen',
+ 'deleted_product' => 'Product succesvol verwijderd',
+ 'deleted_products' => ':count producten succesvol verwijderd',
+ 'restored_product' => 'Product succesvol hersteld',
+ 'update_credit' => 'Krediet bijwerken',
+ 'updated_credit' => 'Krediet succesvol bijgewerkt',
+ 'edit_credit' => 'Krediet aanpassen',
+ 'live_preview_help' => 'Toon een live PDF voorbeeld op de factuur pagina.
Schakel dit uit om de prestaties te verbeteren tijdens het bewerken van facturen.',
+ 'force_pdfjs_help' => 'Vervang de ingebouwde PDF viewer in :chrome_link en :firefox_link.
Schakel dit in als je browser de PDF automatisch download.',
+ 'force_pdfjs' => 'Download voorkomen',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optioneel kan een URL opgegeven worden om naar door te verwijzen nadat een betaling is ingevoerd.',
+ 'save_draft' => 'Concept Opslaan',
+ 'refunded_credit_payment' => 'Gecrediteerde krediet betaling',
+ 'keyboard_shortcuts' => 'Toetsenbord sneltoetsen',
+ 'toggle_menu' => 'Toggle menu',
+ 'new_...' => 'Nieuw...',
+ 'list_...' => 'Lijst...',
+ 'created_at' => 'Aanmaakdatum',
+ 'contact_us' => 'Contacteer ons',
+ 'user_guide' => 'Gebruikershandleiding',
+ 'promo_message' => 'Upgrade voor :expires en krijg :amount korting op je eerste jaar met onze Pro en Enterprise pakketten.',
+ 'discount_message' => ':amount korting vervalt :expires',
+ 'mark_paid' => 'Markeer betaald',
+ 'marked_sent_invoice' => 'Factuur succesvol gemarkeerd als verzonden',
+ 'marked_sent_invoices' => 'Facturen succesvol gemarkeerd als verzonden',
+ 'invoice_name' => 'Factuur',
+ 'product_will_create' => 'product zal worden aagemaakt',
+ 'contact_us_response' => 'Bedankt voor uw bericht! We proberen om zo snel mogelijk te reageren.',
+ 'last_7_days' => 'Laatste 7 dagen',
+ 'last_30_days' => 'Laatste 30 dagen',
+ 'this_month' => 'Deze maand',
+ 'last_month' => 'Vorige maand',
+ 'last_year' => 'Vorig jaar',
+ 'custom_range' => 'Aangepast bereik',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Vereis',
+ 'license_expiring' => 'Opmerking: uw licentie zal vervallen in :count dagen, :link om het te verlengen.',
+ 'security_confirmation' => 'Uw e-mailadres is bevestigd.',
+ 'white_label_expired' => 'Uw white label licentie is verlopen, gelieve te overwegen om dit te vernieuwen om zo ons project mee te helpen ondersteunen.',
+ 'renew_license' => 'Licentie vernieuwen',
+ 'iphone_app_message' => 'Overweeg onze :link te downloaden',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Aangemeld',
+ 'switch_to_primary' => 'Schakel over naar uw primair bedrijf (:name) om uw abonnement te beheren.',
+ 'inclusive' => 'Inclusief',
+ 'exclusive' => 'Exclusief',
+ 'postal_city_state' => 'Provincie',
+ 'phantomjs_help' => 'In sommige gevallen gebruikt de app :link_phantom om het PDF-bestand te genereren, installeer :link_docs om het lokaal te genereren.',
+ 'phantomjs_local' => 'Lokaal PhantomJS gebruiken',
+ 'client_number' => 'Klantnummer',
+ 'client_number_help' => 'Geef een voorvoegsel of een aangepast patroon om klantnummers dynamisch te genereren.',
+ 'next_client_number' => 'Het volgende klantnummer is :number.',
+ 'generated_numbers' => 'Gegenereerde nummers',
+ 'notes_reminder1' => 'Eerste herinnering',
+ 'notes_reminder2' => 'Tweede herinnering',
+ 'notes_reminder3' => 'Derde herinnering',
+ 'bcc_email' => 'BBC Email',
+ 'tax_quote' => 'BTW offerte',
+ 'tax_invoice' => 'BTW factuur',
+ 'emailed_invoices' => 'Facturen succesvol gemaild',
+ 'emailed_quotes' => 'Offertes succesvol gemaild',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domein',
+ 'domain_help' => 'Word gebruikt in het klantenportaal en bij het versturen van e-mails.',
+ 'domain_help_website' => 'Word gebruikt bij het versturen van e-mails.',
+ 'preview' => 'Voorbeeld',
+ 'import_invoices' => 'Facturen importeren',
+ 'new_report' => 'Nieuw rapport',
+ 'edit_report' => 'Wijzig rapport',
+ 'columns' => 'Kolommen',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sorteren op',
+ 'draft' => 'Concept',
+ 'unpaid' => 'Onbetaald',
+ 'aging' => 'Veroudering',
+ 'age' => 'Leeftijd',
+ 'days' => 'Dagen',
+ 'age_group_0' => '0 - 30 dagen',
+ 'age_group_30' => '30 - 60 dagen',
+ 'age_group_60' => '60 - 90 dagen',
+ 'age_group_90' => '90 - 120 dagen',
+ 'age_group_120' => '120+ dagen',
+ 'invoice_details' => 'Factuur details',
+ 'qty' => 'Hoeveelheid',
+ 'profit_and_loss' => 'Winst en verlies',
+ 'revenue' => 'Inkomsten',
+ 'profit' => 'Winst',
+ 'group_when_sorted' => 'Sorteer op groep',
+ 'group_dates_by' => 'Datums groeperen op',
+ 'year' => 'Jaar',
+ 'view_statement' => 'Toon overzicht',
+ 'statement' => 'Overzicht',
+ 'statement_date' => 'Overzicht datum',
+ 'mark_active' => 'Markeer als actief',
+ 'send_automatically' => 'Automatisch versturen',
+ 'initial_email' => 'Initiele e-mail',
+ 'invoice_not_emailed' => 'Dit factuur is niet gemaild.',
+ 'quote_not_emailed' => 'Deze offerte is niet gemaild.',
+ 'sent_by' => 'Verzonden door :user',
+ 'recipients' => 'Ontvangers',
+ 'save_as_default' => 'Opslaan als standaard',
+ 'template' => 'Sjabloon',
+ 'start_of_week_help' => 'Gebruikt door datum selecties',
+ 'financial_year_start_help' => 'Gebruikt door datumbereik selecties',
+ 'reports_help' => 'Shift + klik om op meerdere kolommen te sorteren, Ctrl + klik om de groepering te wissen.',
+ 'this_year' => 'Dit jaar',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Creëren. Sturen. Betaald worden.',
+ 'login_or_existing' => 'Of log in met een verbonden account.',
+ 'sign_up_now' => 'Meld nu aan',
+ 'not_a_member_yet' => 'Nog geen lid?',
+ 'login_create_an_account' => 'Maak een account aan!',
+ 'client_login' => 'Klanten login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Facturen van:',
+ 'email_alias_message' => 'Let op: het is vereist dat iedere gebruiker een uniek e-mailadres gebruikt.
Overweeg een alias te gebruiken, bv. email+label@example.com',
+ 'full_name' => 'Volledige naam',
+ 'month_year' => 'Maand/jaar',
+ 'valid_thru' => 'Geldig tot',
+
+ 'product_fields' => 'Productvelden',
+ 'custom_product_fields_help' => 'Voeg een tekstveld toe bij het creëren van een product of factuur en toon het gekozen label op de PDF.',
+ 'freq_two_months' => 'Twee maanden',
+ 'freq_yearly' => 'Jaarlijks',
+ 'profile' => 'Profiel',
+ 'payment_type_help' => 'Stel de standaard manuele betalingsmethode in.',
+ 'industry_Construction' => 'Bouw',
+ 'your_statement' => 'Uw overzicht',
+ 'statement_issued_to' => 'Overzicht uitgeschreven aan',
+ 'statement_to' => 'Overschift voor',
+ 'customize_options' => 'Opties aanpassen',
+ 'created_payment_term' => 'Betalingstermijn succesvol aangemaakt',
+ 'updated_payment_term' => 'Betalingstermijn succesvol bijgewerkt',
+ 'archived_payment_term' => 'Betalingstermijn succesvol gearchiveerd',
+ 'resend_invite' => 'Uitnodiging opnieuw versturen',
+ 'credit_created_by' => 'Krediet aangemaakt door betaling :transaction_reference',
+ 'created_payment_and_credit' => 'Betaling en krediet succesvol aangemaakt',
+ 'created_payment_and_credit_emailed_client' => 'Betaling en krediet succesvol aangemaakt en verstuurd naar de klant',
+ 'create_project' => 'Project aanmaken',
+ 'create_vendor' => 'Leverancier aanmaken',
+ 'create_expense_category' => 'Categorie aanmaken',
+ 'pro_plan_reports' => ':link om rapporten te activeren door te abonneren op het Pro Plan',
+ 'mark_ready' => 'Markeer als gereed',
+
+ 'limits' => 'Limieten',
+ 'fees' => 'Transactiekosten',
+ 'fee' => 'Transactiekosten',
+ 'set_limits_fees' => 'Stel :gateway_type limieten/toeslag in',
+ 'fees_tax_help' => 'Schakel regelitem belastingen in om belastingstoeslag in te stellen.',
+ 'fees_sample' => 'De toeslag voor een :amount factuur is :total.',
+ 'discount_sample' => 'De korting voor een :amount factuur is :total.',
+ 'no_fees' => 'Geen transactiekosten',
+ 'gateway_fees_disclaimer' => 'Waarschuwing: niet alle staten/betalingsgateways laten het toe om kosten toe te voegen, gelieve lokale wetten/servicevoorwaarden te raadplegen.',
+ 'percent' => 'Procent',
+ 'location' => 'Locatie',
+ 'line_item' => 'Regelitem',
+ 'surcharge' => 'Toeslag',
+ 'location_first_surcharge' => 'Ingeschakeld - Eerste toeslag',
+ 'location_second_surcharge' => 'Ingeschakeld - Tweede toeslag',
+ 'location_line_item' => 'Ingeschakeld - Regelitem',
+ 'online_payment_surcharge' => 'Online betalingstoeslag',
+ 'gateway_fees' => 'Gateway transactiekosten',
+ 'fees_disabled' => 'Transactiekosten zijn uitgeschakeld',
+ 'gateway_fees_help' => 'Online betalingstoeslag/korting automatisch toevoegen.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'Als er onbetaalde facturen met transactiekosten zijn, moeten die handmatig bijgewerkt worden.',
+ 'fees_surcharge_help' => 'Toeslag aanpassen :link.',
+ 'label_and_taxes' => 'label en belastingen',
+ 'billable' => 'Factureerbare uren',
+ 'logo_warning_too_large' => 'Het afbeeldingsbestand is te groot.',
+ 'logo_warning_fileinfo' => 'Waarschuwing: Om GIF-bestanden te ondersteunen moet de fileinfo PHP extensie ingeschakeld zijn.',
+ 'logo_warning_invalid' => 'Er was een probleem tijdens het lezen van het afbeeldingsbestand, gelieve een anders formaat te proberen.',
+
+ 'error_refresh_page' => 'Er trad een fout op, gelieve de pagina te vernieuwen en opnieuw te proberen.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Instellingen succesvol geïmporteerd',
+ 'reset_counter' => 'Teller resetten',
+ 'next_reset' => 'Volgende reset',
+ 'reset_counter_help' => 'De factuur en offerte tellers automatisch resetten.',
+ 'auto_bill_failed' => 'Autofacturatie voor factuur :invoice_number mislukt',
+ 'online_payment_discount' => 'Online betalingskorting',
+ 'created_new_company' => 'Nieuw bedrijf succesfol aangemaakt',
+ 'fees_disabled_for_gateway' => 'Transactiekosten zijn uitgeschakeld voor deze gateway.',
+ 'logout_and_delete' => 'Uitloggen/account opzeggen',
+ 'tax_rate_type_help' => 'Inclusive belastingstarieven passen de kosten van het regelitem aan wanneer deze worden geselecteerd.
Alleen de exclusieve belastingtarieven kunnen als standaard worden gebruikt.',
+ 'invoice_footer_help' => 'Gebruik $pageNumber en $pageCount om de pagina informatie weer te geven.',
+ 'credit_note' => 'Creditnota',
+ 'credit_issued_to' => 'Credit afgegeven aan',
+ 'credit_to' => 'Credit aan',
+ 'your_credit' => 'Uw credit',
+ 'credit_number' => 'Credit nummer',
+ 'create_credit_note' => 'Creditnota aanmaken',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Fout: De gateway tabel heeft foutieve id\'s.',
+ 'purge_data' => 'Gegevens opschonen',
+ 'delete_data' => 'Gegevens verwijderen',
+ 'purge_data_help' => 'Alle gegevens permanent verwijderen, maar behoud het account en instellingen.',
+ 'cancel_account_help' => 'Verwijder het account inclusief alle gegevens en instellingen.',
+ 'purge_successful' => 'Bedrijfsgegevens succesvol gewist',
+ 'forbidden' => 'Verboden',
+ 'purge_data_message' => 'Waarschuwing: Dit zal uw gegevens verwijderen. Er is geen manier om dit ongedaan te maken.',
+ 'contact_phone' => 'Contact telefoon',
+ 'contact_email' => 'Contact e-mail',
+ 'reply_to_email' => 'Antwoord naar e-mail',
+ 'reply_to_email_help' => 'Geef het antwoord-aan adres voor klant e-mails.',
+ 'bcc_email_help' => 'Dit adres heimelijk gebruiken met klant e-mails.',
+ 'import_complete' => 'Het importeren is succesvol uitgevoerd.',
+ 'confirm_account_to_import' => 'Gelieve uw account te bevestigen om de gegevens te importeren.',
+ 'import_started' => 'Het importeren is gestart, we sturen u een e-mail van zodra het proces afgerond is.',
+ 'listening' => 'Luisteren...',
+ 'microphone_help' => 'Zeg "nieuw factuur voor [client]" of "toon me [client]\'s gearchiveerde betalingen".',
+ 'voice_commands' => 'Stemcommando\'s',
+ 'sample_commands' => 'Voorbeeldcommando\'s',
+ 'voice_commands_feedback' => 'We werken actief aan deze feature, als er een commando is waarvan u wilt dat wij dat ondersteunen, mail ons dan op :email.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => ':count producten succesvol gearchiveerd',
+ 'recommend_on' => 'We raden aan deze instellingen in te schakelen.',
+ 'recommend_off' => 'We raden aan deze instellingen uit te schakelen.',
+ 'notes_auto_billed' => 'Automatische geïncasseerd',
+ 'surcharge_label' => 'Toeslag label',
+ 'contact_fields' => 'Contact velden',
+ 'custom_contact_fields_help' => 'Voeg een veld toe bij het creëren van een contact en toon het label en de waarde op de PDF.',
+ 'datatable_info' => ':start tot :end van :total items worden getoond',
+ 'credit_total' => 'Totaal krediet',
+ 'mark_billable' => 'Markeer factureerbaar',
+ 'billed' => 'Gefactureerd',
+ 'company_variables' => 'Bedrijfsvariabelen',
+ 'client_variables' => 'Klant variabelen',
+ 'invoice_variables' => 'Factuur variabelen',
+ 'navigation_variables' => 'Navigatie variabelen',
+ 'custom_variables' => 'Aangepaste variabelen',
+ 'invalid_file' => 'Ongeldig bestandstype',
+ 'add_documents_to_invoice' => 'Voeg documenten toe aan factuur',
+ 'mark_expense_paid' => 'Markeer betaald',
+ 'white_label_license_error' => 'Validatie van de licentie mislukt, controleer storage/logs/laravel-error.log voor meer informatie.',
+ 'plan_price' => 'Plan prijs',
+ 'wrong_confirmation' => 'Incorrecte bevestigingscode',
+ 'oauth_taken' => 'Het account is al geregistreerd',
+ 'emailed_payment' => 'Betaling succesvol gemaild',
+ 'email_payment' => 'Betaling mailen',
+ 'invoiceplane_import' => 'Gebruik :link om uw data te migreren van InvoicePlane.',
+ 'duplicate_expense_warning' => 'Waarschuwing: Deze :link kan een duplicaat zijn',
+ 'expense_link' => 'uitgave',
+ 'resume_task' => 'Taak hervatten',
+ 'resumed_task' => 'Taak succesvol hervat',
+ 'quote_design' => 'Offerte ontwerp',
+ 'default_design' => 'Standaard ontwerp',
+ 'custom_design1' => 'Aangepast ontwerp 1',
+ 'custom_design2' => 'Aangepast ontwerp 2',
+ 'custom_design3' => 'Aangepast ontwerp 3',
+ 'empty' => 'Leegmaken',
+ 'load_design' => 'Laad ontwerp',
+ 'accepted_card_logos' => 'Geaccepteerde kaart logo\'s',
+ 'phantomjs_local_and_cloud' => 'PhantomJS gebruiken, terugvallen naar phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Betalingen traceren met :link',
+ 'start_date_required' => 'De startdatum is vereist',
+ 'application_settings' => 'Applicatie instellingen',
+ 'database_connection' => 'Databaseverbinding',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Verbinding testen',
+ 'from_name' => 'Van naam',
+ 'from_address' => 'Van adres',
+ 'port' => 'Poort',
+ 'encryption' => 'Encryptie',
+ 'mailgun_domain' => 'Mailgun domein',
+ 'mailgun_private_key' => 'Mailgun private sleutel',
+ 'send_test_email' => 'Verstuur test email',
+ 'select_label' => 'Selecteer label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Betalingsdetails bijwerken',
+ 'updated_payment_details' => 'Betalingsdetails succesvol bijgewerkt',
+ 'update_credit_card' => 'Krediet kaart bijwerken',
+ 'recurring_expenses' => 'Terugkerende uitgaven',
+ 'recurring_expense' => 'Terugkerende uitgave',
+ 'new_recurring_expense' => 'Nieuwe terugkerende uitgave',
+ 'edit_recurring_expense' => 'Terugkerende uitgave bewerken',
+ 'archive_recurring_expense' => 'Terugkerende uitgave archiveren',
+ 'list_recurring_expense' => 'Toon terugkerende uitgaven',
+ 'updated_recurring_expense' => 'Terugkerende uitgave succesvol bijgewerkt',
+ 'created_recurring_expense' => 'Terugkerende uitgave succesvol aangemaakt',
+ 'archived_recurring_expense' => 'Terugkerende uitgave succesvol gearchiveerd',
+ 'archived_recurring_expense' => 'Terugkerende uitgave succesvol gearchiveerd',
+ 'restore_recurring_expense' => 'Terugkerende uitgave herstellen',
+ 'restored_recurring_expense' => 'Terugkerende uitgave succesvol hersteld',
+ 'delete_recurring_expense' => 'Terugkerende uitgave verwijderen',
+ 'deleted_recurring_expense' => 'Project succesvol verwijderd',
+ 'deleted_recurring_expense' => 'Project succesvol verwijderd',
+ 'view_recurring_expense' => 'Terugkerende uitgave tonen',
+ 'taxes_and_fees' => 'Belastingen en heffingen',
+ 'import_failed' => 'Importeren mislukt',
+ 'recurring_prefix' => 'Terugkerend voorvoegsel',
+ 'options' => 'Opties',
+ 'credit_number_help' => 'Geef een voorvoegsel of een aangepast patroon om kredietnummers dynamisch te genereren.',
+ 'next_credit_number' => 'Het volgende kredietnummer is :number.',
+ 'padding_help' => 'Het aantal nullen om het nummer op te vullen.',
+ 'import_warning_invalid_date' => 'Waarschuwing: het datumformaat lijkt ongeldig te zijn.',
+ 'product_notes' => 'Product opmerkingen',
+ 'app_version' => 'App versie',
+ 'ofx_version' => 'OFX versie',
+ 'gateway_help_23' => ':link om uw Stripe API sleutels te krijgen.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY staat op een standaardwaarde, om te updaten dient u uw database te backuppen en vervolgens het volgende uit te voeren: php artisan ninja:update-key
',
+ 'charge_late_fee' => 'Late vergoeding aanrekenen',
+ 'late_fee_amount' => 'Late vergoedingsbedrag',
+ 'late_fee_percent' => 'Late vergoedingspercentage',
+ 'late_fee_added' => 'late vergoeding toegevoegd op :date',
+ 'download_invoice' => 'Factuur downloaden',
+ 'download_quote' => 'Offerte downloaden',
+ 'invoices_are_attached' => 'Uw factuur PDF\'s zijn bijgevoegd.',
+ 'downloaded_invoice' => 'Een e-mail zal verstuurd worden met de factuur PDF',
+ 'downloaded_quote' => 'Een e-mail zal verstuurd worden met de offerte PDF',
+ 'downloaded_invoices' => 'Een e-mail zal verstuurd worden met de factuur PDF\'s',
+ 'downloaded_quotes' => 'Een e-mail zal verstuurd worden met de offerte PDF\'s',
+ 'clone_expense' => 'Uitgave kopiëren',
+ 'default_documents' => 'Standaard documenten',
+ 'send_email_to_client' => 'Verzend e-mail naar de klant',
+ 'refund_subject' => 'Terugbetaling verwerkt',
+ 'refund_body' => 'U hebt een terugbetaling gekregen van :amount voor factuur invoice_number.',
+
+ 'currency_us_dollar' => 'Amerikaanse dollar',
+ 'currency_british_pound' => 'Britse pond',
+ 'currency_euro' => 'Euro',
+ 'currency_south_african_rand' => 'Zuid-Afrikaanse Rand',
+ 'currency_danish_krone' => 'Deense Krone',
+ 'currency_israeli_shekel' => 'Israëlische Shekel',
+ 'currency_swedish_krona' => 'Zweedse kroon',
+ 'currency_kenyan_shilling' => 'Keniaanse Shilling',
+ 'currency_canadian_dollar' => 'Canadese dollar',
+ 'currency_philippine_peso' => 'Filippijnse Peso',
+ 'currency_indian_rupee' => 'Indiase Roepie',
+ 'currency_australian_dollar' => 'Australische dollar',
+ 'currency_singapore_dollar' => 'Singapore dollar',
+ 'currency_norske_kroner' => 'Norske Kroner',
+ 'currency_new_zealand_dollar' => 'Nieuw-Zeelandse Dollar',
+ 'currency_vietnamese_dong' => 'Vietnamese Dong',
+ 'currency_swiss_franc' => 'Zwitserse frank',
+ 'currency_guatemalan_quetzal' => 'Guatemalaanse Quetzal',
+ 'currency_malaysian_ringgit' => 'Maleisische Ringgit',
+ 'currency_brazilian_real' => 'Braziliaanse Real',
+ 'currency_thai_baht' => 'Thaise Baht',
+ 'currency_nigerian_naira' => 'Nigeriaanse Naira',
+ 'currency_argentine_peso' => 'Argentijnse Peso',
+ 'currency_bangladeshi_taka' => 'Bangladesh Taka',
+ 'currency_united_arab_emirates_dirham' => 'Verenigde Arabische Emiraten Dirham',
+ 'currency_hong_kong_dollar' => 'Hong Kong dollar',
+ 'currency_indonesian_rupiah' => 'Indonesische Rupiah',
+ 'currency_mexican_peso' => 'Mexicaanse Peso',
+ 'currency_egyptian_pound' => 'Egyptisch Pond',
+ 'currency_colombian_peso' => 'Colombiaanse Peso',
+ 'currency_west_african_franc' => 'West-Afrikaanse Frank',
+ 'currency_chinese_renminbi' => 'Chinese Renminbi',
+ 'currency_rwandan_franc' => 'Rwandese Frank',
+ 'currency_tanzanian_shilling' => 'Tanzaniaanse Shilling',
+ 'currency_netherlands_antillean_guilder' => 'Nederlandse Antilliaanse Gulden',
+ 'currency_trinidad_and_tobago_dollar' => 'Trinidad en Tobago Dollar',
+ 'currency_east_caribbean_dollar' => 'Oost-Caribische Dollar',
+ 'currency_ghanaian_cedi' => 'Ghanaanse Cedi',
+ 'currency_bulgarian_lev' => 'Bulgaarse Lev',
+ 'currency_aruban_florin' => 'Arubaanse Florin',
+ 'currency_turkish_lira' => 'Turkse Lira',
+ 'currency_romanian_new_leu' => 'Roemeense Nieuwe Leu',
+ 'currency_croatian_kuna' => 'Kroatische Kuna',
+ 'currency_saudi_riyal' => 'Saoedi-Riyal',
+ 'currency_japanese_yen' => 'Japanse Yen',
+ 'currency_maldivian_rufiyaa' => 'Maldivian Rufiyaa',
+ 'currency_costa_rican_colon' => 'Costa Ricaanse Colón',
+ 'currency_pakistani_rupee' => 'Pakistaanse Roepie',
+ 'currency_polish_zloty' => 'Poolse Zloty',
+ 'currency_sri_lankan_rupee' => 'Sri Lankaanse Roepie',
+ 'currency_czech_koruna' => 'Tsjechische Koruna',
+ 'currency_uruguayan_peso' => 'Uruguayaanse Peso',
+ 'currency_namibian_dollar' => 'Namibische Dollar',
+ 'currency_tunisian_dinar' => 'Tunesische Dinar',
+ 'currency_russian_ruble' => 'Russische Roebel',
+ 'currency_mozambican_metical' => 'Mozambican Metical',
+ 'currency_omani_rial' => 'Omani Rial',
+ 'currency_ukrainian_hryvnia' => 'Oekraïense hryvnia',
+ 'currency_macanese_pataca' => 'Macaanse Pataca',
+ 'currency_taiwan_new_dollar' => 'Taiwan Nieuwe Dollar',
+ 'currency_dominican_peso' => 'Dominicaanse Peso',
+ 'currency_chilean_peso' => 'Chileense Peso',
+ 'currency_icelandic_krona' => 'IJslandse kroon',
+ 'currency_papua_new_guinean_kina' => 'Papoea-Nieuw-Guinee-China',
+ 'currency_jordanian_dinar' => 'Jordaanse Dinar',
+ 'currency_myanmar_kyat' => 'Myanmar Kyat',
+ 'currency_peruvian_sol' => 'Peruaanse Sol',
+ 'currency_botswana_pula' => 'Botswaanse pula',
+ 'currency_hungarian_forint' => 'Hongaarse forint',
+ 'currency_ugandan_shilling' => 'Ugandan Shilling',
+ 'currency_barbadian_dollar' => 'Barbadiaanse dollar',
+ 'currency_brunei_dollar' => 'Brunei Dollar',
+ 'currency_georgian_lari' => 'Georgische Lari',
+ 'currency_qatari_riyal' => 'Qatari Riyal',
+ 'currency_honduran_lempira' => 'Hondurese Lempira',
+ 'currency_surinamese_dollar' => 'Surinaamse Dollar',
+ 'currency_bahraini_dinar' => 'Bahrein Dinar',
+
+ 'review_app_help' => 'We hopen dat je het leuk vindt om de app te gebruiken.
Als je zou overwegen :link, zouden we dat zeer op prijs stellen!',
+ 'writing_a_review' => 'een recensie schrijven',
+
+ 'use_english_version' => 'Zorg ervoor dat u de Engelse versie van de bestanden gebruikt.
We gebruiken de kolomkoppen om de velden aan te passen.',
+ 'tax1' => 'Eerste belasting',
+ 'tax2' => 'Tweede belasting',
+ 'fee_help' => 'Gateway vergoedingen zijn de kosten die gelden voor toegang tot de financiële netwerken die de verwerking van online betalingen behandelen.',
+ 'format_export' => 'Uitvoerformaat',
+ 'custom1' => 'Eerste aangepaste',
+ 'custom2' => 'Tweede aangepaste',
+ 'contact_first_name' => 'Contact voornaam',
+ 'contact_last_name' => 'Contact achternaam',
+ 'contact_custom1' => 'Eerste contact aangepaste',
+ 'contact_custom2' => 'Tweede contact aangepaste',
+ 'currency' => 'Munteenheid',
+ 'ofx_help' => 'Ga als volgt te werk om te controleren of er opmerkingen zijn over :ofxhome_link en test met :ofxget_link.',
+ 'comments' => 'opmerkingen',
+
+ 'item_product' => 'Artikel product',
+ 'item_notes' => 'Artikel notities',
+ 'item_cost' => 'Artikel kost',
+ 'item_quantity' => 'Artikel hoeveelheid',
+ 'item_tax_rate' => 'Artikel BTW-tarief',
+ 'item_tax_name' => 'Artikel belasting naam',
+ 'item_tax1' => 'Artikel belasting 1',
+ 'item_tax2' => 'Artikel belasting 2',
+
+ 'delete_company' => 'Verwijder bedrijf',
+ 'delete_company_help' => 'Permanent je bedrijf verwijderen inclusief alle gegevens en instellingen.',
+ 'delete_company_message' => 'Waarschuwing: Hiermee verwijder je permanent je bedrijf, dit kan niet worden ontdaan.',
+
+ 'applied_discount' => 'De kortingscode is toegevoegd, de prijs van het gekozen plan is verlaagd met :discount%.',
+ 'applied_free_year' => 'De kortingsbon is toegepast, uw account is gedurende een jaar geüpgraded naar pro.',
+
+ 'contact_us_help' => 'Als u een fout meldt, voeg dan alle relevante logs toe van storage/logs/laravel-error.log',
+ 'include_errors' => 'Inclusief fouten',
+ 'include_errors_help' => 'Inclusief :link van storage/logs/laravel-error.log',
+ 'recent_errors' => 'recente foutmeldingen',
+ 'customer' => 'Klant',
+ 'customers' => 'Klanten',
+ 'created_customer' => 'Klant succesvol aangemaakt',
+ 'created_customers' => 'Succesvol :aantal klanten aangemaakt',
+
+ 'purge_details' => 'De gegevens uit jou account (:account) zijn succesvol gewist.',
+ 'deleted_company' => 'Bedrijf succesvol verwijderd',
+ 'deleted_account' => 'Account succesvol geannuleerd',
+ 'deleted_company_details' => 'Je bedrijf (:account) is succesvol verwijdert.',
+ 'deleted_account_details' => 'Je account (:account) is succesvol verwijdert.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Automatisch incasso',
+ 'enable_alipay' => 'Accepteer Alipay',
+ 'enable_sofort' => 'Accepteer EU bank transacties',
+ 'stripe_alipay_help' => 'Deze gateways moeten ook worden geactiveerd in :link.',
+ 'calendar' => 'Kalender',
+ 'pro_plan_calendar' => ':link om de kalender in te schakelen door lid te worden van het Pro Plan',
+
+ 'what_are_you_working_on' => 'Waar werk je aan?',
+ 'time_tracker' => 'Tijd Registratie',
+ 'refresh' => 'Verversen',
+ 'filter_sort' => 'Filter/Sorteer',
+ 'no_description' => 'Geen Beschrijving',
+ 'time_tracker_login' => 'Tijd Registratie Login',
+ 'save_or_discard' => 'Sla wijzigingen op of wis deze',
+ 'discard_changes' => 'Wis Wijzigingen',
+ 'tasks_not_enabled' => 'Taken staan niet aan',
+ 'started_task' => 'Succesvol een taak gestart',
+ 'create_client' => 'Klant aanmaken',
+
+ 'download_desktop_app' => 'Download de dekstop app',
+ 'download_iphone_app' => 'Download de iPhone app',
+ 'download_android_app' => 'Download de Android app',
+ 'time_tracker_mobile_help' => 'Dubbel tap een taak om deze te selecteren',
+ 'stopped' => 'Gestopt',
+ 'ascending' => 'Oplopend',
+ 'descending' => 'Aflopend',
+ 'sort_field' => 'Sorteren op',
+ 'sort_direction' => 'Richting',
+ 'discard' => 'Wissen',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'minuten',
+ 'time_hr' => 'uur',
+ 'time_hrs' => 'uren',
+ 'clear' => 'Wis',
+ 'warn_payment_gateway' => 'Opmerking: voor het accepteren van online betalingen is een betalingsgateway vereist, :link om er een toe te voegen.',
+ 'task_rate' => 'Taak tarief',
+ 'task_rate_help' => 'Stel het standaardtarief in voor gefactureerde taken.',
+ 'past_due' => 'Verlopen',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Factuur/Kosten',
+ 'invoice_pdfs' => 'Factuur PDF\'s',
+ 'enable_sepa' => 'Accepteer SEPA',
+ 'enable_bitcoin' => 'Accepteer Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => 'Door uw IBAN te verstrekken en deze betaling te bevestigen, machtigt u :company en Stripe, onze betalingsdienstaanbieder, om instructies naar uw bank te sturen om uw rekening en uw bank te debiteren om uw rekening af te schrijven overeenkomstig met die instructies. U hebt recht op terugbetaling van uw bank onder de voorwaarden van uw overeenkomst met uw bank. Een terugbetaling moet binnen 8 weken worden gerekend vanaf de datum waarop uw account is afgeschreven.',
+ 'recover_license' => 'Herstel licentie',
+ 'purchase' => 'Aankoop',
+ 'recover' => 'Herstel',
+ 'apply' => 'Toepassen',
+ 'recover_white_label_header' => 'Whitelabel licentie herstellen',
+ 'apply_white_label_header' => 'Whitelabel licentie toepassen',
+ 'videos' => 'Video\'s',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Terug naar factuur',
+ 'gateway_help_13' => 'Als u ITN wilt gebruiken, laat u het veld PDT Key leeg.',
+ 'partial_due_date' => 'Gedeeltelijke vervaldatum',
+ 'task_fields' => 'Taak velden',
+ 'product_fields_help' => 'Versleep de velden om hun volgorde te wijzigen',
+ 'custom_value1' => 'Aangepaste waarde',
+ 'custom_value2' => 'Aangepaste waarde',
+ 'enable_two_factor' => 'Tweestaps authenticatie',
+ 'enable_two_factor_help' => 'Gebruik je telefoon om je identiteit te bevestigen bij het inloggen',
+ 'two_factor_setup' => 'Tweestaps authenticatie instellen',
+ 'two_factor_setup_help' => 'Scan de streepjescode met een :link compatibele app.',
+ 'one_time_password' => 'Eenmalig wachtwoord',
+ 'set_phone_for_two_factor' => 'Stel uw telefoonnummer in als backup.',
+ 'enabled_two_factor' => 'Tweestaps authenticatie succesvol ingeschakeld',
+ 'add_product' => 'Product toevoegen',
+ 'email_will_be_sent_on' => 'Let op: de email zal worden verstuurd op :date.',
+ 'invoice_product' => 'Factuurproduct',
+ 'self_host_login' => 'Self-Host login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Fout: lokale opslag is niet beschikbaar.',
+ 'your_password_reset_link' => 'Uw wachtwoord reset koppeling',
+ 'subdomain_taken' => 'Het subdomein is al in gebruik',
+ 'client_login' => 'Klanten login',
+ 'converted_amount' => 'Omgezet bedrag',
+ 'default' => 'Standaard',
+ 'shipping_address' => 'Leveringsadres',
+ 'bllling_address' => 'Factuuradres',
+ 'billing_address1' => 'Facturatie straat',
+ 'billing_address2' => 'Facturatie Apt/Suite',
+ 'billing_city' => 'Facturatiestad',
+ 'billing_state' => 'Facturatie Staat/Provincie',
+ 'billing_postal_code' => 'Facturatie Postcode',
+ 'billing_country' => 'Facturatieland',
+ 'shipping_address1' => 'Leveringsstraat',
+ 'shipping_address2' => 'Leverings Apt/Suite',
+ 'shipping_city' => 'Leveringsstad',
+ 'shipping_state' => 'Leverings Staat/Provincie',
+ 'shipping_postal_code' => 'Leverings Postcode',
+ 'shipping_country' => 'Leveringsland',
+ 'classify' => 'Classificeren',
+ 'show_shipping_address_help' => 'Vereisen dat de klant zijn leveringsadres opgeeft',
+ 'ship_to_billing_address' => 'Verzend naar factuuradres',
+ 'delivery_note' => 'Afleveringsbon',
+ 'show_tasks_in_portal' => 'Toon taken in het klantenportaal',
+ 'cancel_schedule' => 'Annuleer schema',
+ 'scheduled_report' => 'Gepland rapport',
+ 'scheduled_report_help' => 'E-mail het :report rapport als :format naar :email',
+ 'created_scheduled_report' => 'Rapport succesvol gepland',
+ 'deleted_scheduled_report' => 'Gepland rapport succesvol geannuleerd',
+ 'scheduled_report_attached' => 'Uw gepland :type rapport is bijgevoegd.',
+ 'scheduled_report_error' => 'Kan gepland rapport niet maken',
+ 'invalid_one_time_password' => 'Eenmalig wachtwoord ongeldig',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accepteer Apple Pay en Pay met Google',
+ 'requires_subdomain' => 'Deze betalingsmethode vereist dat een :link.',
+ 'subdomain_is_set' => 'subdomein is ingesteld',
+ 'verification_file' => 'Verificatiebestand',
+ 'verification_file_missing' => 'Het verificatiebestand is nodig om betalingen te accepteren.',
+ 'apple_pay_domain' => 'Gebruik :domain
als het domein in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay wordt niet ondersteund door uw browser',
+ 'optional_payment_methods' => 'Optionele betalingsmethodes',
+ 'add_subscription' => 'Abonnement toevoegen',
+ 'target_url' => 'Doel',
+ 'target_url_help' => 'Wanneer de geselecteerde gebeurtenis plaatsvindt, zal de app de entiteit op de doel-URL posten.',
+ 'event' => 'Gebeurtenis',
+ 'subscription_event_1' => 'Klant aangemaakt',
+ 'subscription_event_2' => 'Factuur aangemaakt',
+ 'subscription_event_3' => 'Offerte aangemaakt',
+ 'subscription_event_4' => 'Betaling aangemaakt',
+ 'subscription_event_5' => 'Leverancier aangemaakt',
+ 'subscription_event_6' => 'Offerte bijgewerkt',
+ 'subscription_event_7' => 'Offerte verwijderd',
+ 'subscription_event_8' => 'Factuur bijgewerkt',
+ 'subscription_event_9' => 'Factuur verwijderd',
+ 'subscription_event_10' => 'Klant bijgewerkt',
+ 'subscription_event_11' => 'Klant verwijderd',
+ 'subscription_event_12' => 'Betaling verwijderd',
+ 'subscription_event_13' => 'Verkoper bijgewerkt',
+ 'subscription_event_14' => 'Verkoper verwijderd',
+ 'subscription_event_15' => 'Uitgave aangemaakt',
+ 'subscription_event_16' => 'Uitgave bijgewerkt',
+ 'subscription_event_17' => 'Uitgave verwijderen',
+ 'subscription_event_18' => 'Taak aangemaakt',
+ 'subscription_event_19' => 'Taak bijgewerkt',
+ 'subscription_event_20' => 'Taak verwijderd',
+ 'subscription_event_21' => 'Offerte goedgekeurd',
+ 'subscriptions' => 'Abonnementen',
+ 'updated_subscription' => 'Abonnement succesvol bijgewerkt',
+ 'created_subscription' => 'Abonnement succesvol aangemaakt',
+ 'edit_subscription' => 'Abonnement wijzigen',
+ 'archive_subscription' => 'Abonnement archiveren',
+ 'archived_subscription' => 'Abonnement succesvol gearchiveerd',
+ 'project_error_multiple_clients' => 'De projecten kunnen niet tot meerdere klanten behoren',
+ 'invoice_project' => 'Project factureren',
+ 'module_recurring_invoice' => 'Terugkerende facturen',
+ 'module_credit' => 'Kredietnota\'s',
+ 'module_quote' => 'Offertes & voorstellen',
+ 'module_task' => 'Taken & projecten',
+ 'module_expense' => 'Uitgaven & leveranciers',
+ 'reminders' => 'Herinneringen',
+ 'send_client_reminders' => 'Verzend e-mailherinneringen',
+ 'can_view_tasks' => 'Taken zijn zichtbaar in de portaal',
+ 'is_not_sent_reminders' => 'Herinneringen worden niet verzonden',
+ 'promotion_footer' => 'Uw promotie verloopt binnenkort, :link om nu te upgraden.',
+ 'unable_to_delete_primary' => 'Opmerking: om dit bedrijf te verwijderen, verwijdert u eerst alle gekoppelde bedrijven.',
+ 'please_register' => 'Gelieve uw account te registreren',
+ 'processing_request' => 'Aanvraag wordt verwerkt',
+ 'mcrypt_warning' => 'Waarschuwing: Mcrypt is deprecated, voer :command uit om uw cipher te updaten.',
+ 'edit_times' => 'Pas tijden aan',
+ 'inclusive_taxes_help' => 'Neem belastingen op in de uitgave',
+ 'inclusive_taxes_notice' => 'Deze instelling kan niet worden gewijzigd nadat een factuur is aangemaakt.',
+ 'inclusive_taxes_warning' => 'Waarschuwing: bestaande facturen moeten opnieuw worden opgeslagen',
+ 'copy_shipping' => 'Levering kopiëren',
+ 'copy_billing' => 'Facturatie kopiëren',
+ 'quote_has_expired' => 'De offerte is verlopen, neem contact op met de verkoper.',
+ 'empty_table_footer' => '0 tot 0 van 0 vermeldingen tonen',
+ 'do_not_trust' => 'Dit apparaat niet onthouden',
+ 'trust_for_30_days' => 'Vertrouw voor 30 dagen',
+ 'trust_forever' => 'Vertrouw voor altijd',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Klaar om te doen',
+ 'in_progress' => 'Bezig',
+ 'add_status' => 'Status toevoegen',
+ 'archive_status' => 'Status archiveren',
+ 'new_status' => 'Nieuwe status',
+ 'convert_products' => 'Producten omzetten',
+ 'convert_products_help' => 'Productprijzen automatisch converteren naar het valuta van de klant',
+ 'improve_client_portal_link' => 'Stel een subdomein in om de link naar het klantenportaal in te korten.',
+ 'budgeted_hours' => 'Begrote uren',
+ 'progress' => 'Vooruitgang',
+ 'view_project' => 'Toon project',
+ 'summary' => 'Overzicht',
+ 'endless_reminder' => 'Eindeloze taak',
+ 'signature_on_invoice_help' => 'Voeg de volgende code toe om de handtekening van uw klant op de PDF weer te geven.',
+ 'signature_on_pdf' => 'Weergeven op PDF',
+ 'signature_on_pdf_help' => 'Toon de handtekening van de klant op de factuur/offerte PDF.',
+ 'expired_white_label' => 'De whitelabel licentie is verlopen',
+ 'return_to_login' => 'Terug naar login',
+ 'convert_products_tip' => 'Opmerking: voeg een :link met de naam ": name" toe om de wisselkoers te zien.',
+ 'amount_greater_than_balance' => 'Het bedrag is groter dan het factuursaldo, er wordt een tegoed gecreëerd met het resterende bedrag.',
+ 'custom_fields_tip' => 'Gebruik Label|Option1,Option2
om een selectievak weer te geven.',
+ 'client_information' => 'Klantinformatie',
+ 'updated_client_details' => 'Succesvol klantgegevens aangepast',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'BTW waarde',
+ 'tax_paid' => 'Betaalde Belasting',
+ 'none' => 'Geen',
+ 'proposal_message_button' => 'Om uw voorstel voor :amount te bekijken, klik op de knop hieronder.',
+ 'proposal' => 'Voorstel',
+ 'proposals' => 'Voorstellen',
+ 'list_proposals' => 'Voorstel lijst',
+ 'new_proposal' => 'Nieuw voorstel',
+ 'edit_proposal' => 'Bewerk voorstel',
+ 'archive_proposal' => 'Archiveer voorstel',
+ 'delete_proposal' => 'Verwijder voorstel',
+ 'created_proposal' => 'Voorstel aangemaakt',
+ 'updated_proposal' => 'Voorstel succesvol bijgewerkt',
+ 'archived_proposal' => 'Voorstel succesvol gearchiveerd',
+ 'deleted_proposal' => 'Voorstel succesvol gearchiveerd',
+ 'archived_proposals' => ':count voorstellen succesvol gearchiveerd',
+ 'deleted_proposals' => ':count voorstellen succesvol gearchiveerd',
+ 'restored_proposal' => 'Voorstel succesvol hersteld',
+ 'restore_proposal' => 'Voorstel herstellen',
+ 'snippet' => 'Snippet',
+ 'snippets' => 'Snippets',
+ 'proposal_snippet' => 'Snippet',
+ 'proposal_snippets' => 'Snippets',
+ 'new_proposal_snippet' => 'Nieuw snippet',
+ 'edit_proposal_snippet' => 'Snippet aanpassen',
+ 'archive_proposal_snippet' => 'Snippet archiveren',
+ 'delete_proposal_snippet' => 'Snippet verwijderen',
+ 'created_proposal_snippet' => 'Snippet succesvol aangemaakt',
+ 'updated_proposal_snippet' => 'Snippet succesvol bijgewerkt',
+ 'archived_proposal_snippet' => 'Snippet succesvol gearchiveerd',
+ 'deleted_proposal_snippet' => 'Snippet succesvol gearchiveerd',
+ 'archived_proposal_snippets' => ':count snippets succesvol gearchiveerd',
+ 'deleted_proposal_snippets' => ':count snippets succesvol gearchiveerd',
+ 'restored_proposal_snippet' => 'Snippet succesvol hersteld',
+ 'restore_proposal_snippet' => 'Snippet herstellen',
+ 'template' => 'Sjabloon',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'Nieuwe template',
+ 'edit_proposal_template' => 'Template aanpassen',
+ 'archive_proposal_template' => 'Template archiveren',
+ 'delete_proposal_template' => 'Template verwijderen',
+ 'created_proposal_template' => 'Template succesvol aangemaakt',
+ 'updated_proposal_template' => 'Template succesvol bijgewerkt',
+ 'archived_proposal_template' => 'Template succesvol gearchiveerd',
+ 'deleted_proposal_template' => 'Template succesvol gearchiveerd',
+ 'archived_proposal_templates' => ':count templates succesvol gearchiveerd',
+ 'deleted_proposal_templates' => ':count templates succesvol gearchiveerd',
+ 'restored_proposal_template' => 'Template succesvol hersteld',
+ 'restore_proposal_template' => 'Template herstellen',
+ 'proposal_category' => 'Categorie',
+ 'proposal_categories' => 'Categorieën',
+ 'new_proposal_category' => 'Nieuwe categorie',
+ 'edit_proposal_category' => 'Categorie bewerken',
+ 'archive_proposal_category' => 'Archiveer categorie',
+ 'delete_proposal_category' => 'Categorie verwijderen',
+ 'created_proposal_category' => 'Categorie succesvol aangemaakt',
+ 'updated_proposal_category' => 'Categorie succesvol bijgewerkt',
+ 'archived_proposal_category' => 'Categorie succesvol gearchiveerd',
+ 'deleted_proposal_category' => 'Categorie succesvol gearchiveerd',
+ 'archived_proposal_categories' => ':count categorieën succesvol gearchiveerd',
+ 'deleted_proposal_categories' => ':count categorieën succesvol gearchiveerd',
+ 'restored_proposal_category' => 'Categorie succesvol hersteld',
+ 'restore_proposal_category' => 'Categorie herstellen',
+ 'delete_status' => 'Status verwijderen',
+ 'standard' => 'Standaard',
+ 'icon' => 'Icoon',
+ 'proposal_not_found' => 'Het opgevraagde voorstel is niet beschikbaar',
+ 'create_proposal_category' => 'Categorie aanmaken',
+ 'clone_proposal_template' => 'Kloon template',
+ 'proposal_email' => 'Voorstel e-mail',
+ 'proposal_subject' => 'Nieuwe voorstel :number van :account',
+ 'proposal_message' => 'Om uw voorstel voor :amount te bekijken, klik op de link hieronder.',
+ 'emailed_proposal' => 'Voorstel succesvol gemaild',
+ 'load_template' => 'Laad template',
+ 'no_assets' => 'Geen afbeeldingen, slepen om te uploaden',
+ 'add_image' => 'Afbeelding toevoegen',
+ 'select_image' => 'Afbeelding selecteren',
+ 'upgrade_to_upload_images' => 'Voer een upgrade uit naar het enterprise plan om afbeeldingen te uploaden',
+ 'delete_image' => 'Afbeelding verwijderen',
+ 'delete_image_help' => 'Waarschuwing: als je de afbeelding verwijdert, wordt deze uit alle voorstellen verwijderd.',
+ 'amount_variable_help' => 'Opmerking: in het factuur $amount veld wordt het veld gedeeltelijk/storting gebruikt als dit is ingesteld, anders wordt het factuursaldo gebruikt.',
+ 'taxes_are_included_help' => 'Opmerking: Inclusieve belastingen zijn ingeschakeld.',
+ 'taxes_are_not_included_help' => 'Opmerking: Inclusieve belastingen zijn niet ingeschakeld.',
+ 'change_requires_purge' => 'Het wijzigen van deze instelling vereist :link de accountgegevens.',
+ 'purging' => 'zuiveren',
+ 'warning_local_refund' => 'De terugbetaling zal worden geregistreerd in de app, maar zal NIET worden verwerkt door de betalingsgateway.',
+ 'email_address_changed' => 'E-mailadres is gewijzigd',
+ 'email_address_changed_message' => 'Het e-mailadres voor uw account is gewijzigd van :old_email in :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporteren naar ZIP vereist de GMP-extensie',
+ 'email_history' => 'E-mail geschiedenis',
+ 'loading' => 'Laden',
+ 'no_messages_found' => 'Geen berichten gevonden',
+ 'processing' => 'Verwerken',
+ 'reactivate' => 'Heractiveren',
+ 'reactivated_email' => 'Het e-mailadres is opnieuw geactiveerd',
+ 'emails' => 'E-mails',
+ 'opened' => 'Geopend',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Totaal verstuurd',
+ 'total_opened' => 'Totaal geopend',
+ 'total_bounced' => 'Totaal gebounced',
+ 'total_spam' => 'Totaal spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'E-mailclients',
+ 'mobile' => 'Mobiel',
+ 'desktop' => 'Bureaublad',
+ 'webmail' => 'Webmail',
+ 'group' => 'Groep',
+ 'subgroup' => 'Subgroep',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'Je hebt een nieuwe betaling ontvangen!',
+ 'slack_webhook_help' => 'Ontvang betalingsmeldingen via :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accepteer',
+ 'accepted_terms' => 'Nieuwe servicevoorwaarden succesvol geaccepteerd',
+ 'invalid_url' => 'Ongeldige URL',
+ 'workflow_settings' => 'Workflow instellingen',
+ 'auto_email_invoice' => 'Automatische e-mail',
+ 'auto_email_invoice_help' => 'Verzend terugkerende facturen automatisch wanneer ze worden gemaakt.',
+ 'auto_archive_invoice' => 'Automatisch archiveren',
+ 'auto_archive_invoice_help' => 'Facturen automatisch archiveren wanneer ze worden betaald.',
+ 'auto_archive_quote' => 'Automatisch archiveren',
+ 'auto_archive_quote_help' => 'Offertes automatisch archiveren wanneer ze zijn omgezet.',
+ 'allow_approve_expired_quote' => 'Toestaan verlopen offerte goedkeuren',
+ 'allow_approve_expired_quote_help' => 'Toestaan klanten verlopen offerte goedkeuren',
+ 'invoice_workflow' => 'Factuur workflow',
+ 'quote_workflow' => 'Offerte workflow',
+ 'client_must_be_active' => 'Fout: de klant moet actief zijn',
+ 'purge_client' => 'Purge klant',
+ 'purged_client' => 'Klant succesvol gepurged',
+ 'purge_client_warning' => 'Alle gerelateerde records (facturen, taken, uitgaven, documenten, enz.) worden ook verwijderd.',
+ 'clone_product' => 'Kopieer product',
+ 'item_details' => 'Onderdeel details',
+ 'send_item_details_help' => 'Verzend regelitemdetails naar de betalingsgateway.',
+ 'view_proposal' => 'Toon voorstel',
+ 'view_in_portal' => 'Toon in portaal',
+ 'cookie_message' => 'Deze website maakt gebruik van cookies om ervoor te zorgen dat u de beste ervaring op onze website krijgt.',
+ 'got_it' => 'Begrepen!',
+ 'vendor_will_create' => 'leverancier zal worden gemaakt',
+ 'vendors_will_create' => 'leveranciers zullen aangemaakt worden',
+ 'created_vendors' => ':count leverancier(s) succesvol aangemaakt',
+ 'import_vendors' => 'Leveranciers importeren',
+ 'company' => 'Bedrijf',
+ 'client_field' => 'Klant veld',
+ 'contact_field' => 'Contact veld',
+ 'product_field' => 'Product veld',
+ 'task_field' => 'Taak veld',
+ 'project_field' => 'Project veld',
+ 'expense_field' => 'Uitgave veld',
+ 'vendor_field' => 'Leverancier veld',
+ 'company_field' => 'Bedrijf veld',
+ 'invoice_field' => 'Factuur veld',
+ 'invoice_surcharge' => 'Factuurkost',
+ 'custom_task_fields_help' => 'Voeg een veld toe bij het maken van een taak.',
+ 'custom_project_fields_help' => 'Voeg een veld toe bij het maken van een project.',
+ 'custom_expense_fields_help' => 'Voeg een veld toe bij het maken van een uitgave.',
+ 'custom_vendor_fields_help' => 'Voeg een veld toe bij het maken van een leverancier.',
+ 'messages' => 'Berichten',
+ 'unpaid_invoice' => 'Onbetaalde factuur',
+ 'paid_invoice' => 'Betaalde factuur',
+ 'unapproved_quote' => 'Niet goedgekeurde offerte',
+ 'unapproved_proposal' => 'Niet goedgekeurd voorstel',
+ 'autofills_city_state' => 'Vult stad/staat automatisch aan',
+ 'no_match_found' => 'Geen overeenkomst gevonden',
+ 'password_strength' => 'Wachtwoord sterkte',
+ 'strength_weak' => 'Zwak',
+ 'strength_good' => 'Goed',
+ 'strength_strong' => 'Sterk',
+ 'mark' => 'Markeer',
+ 'updated_task_status' => 'Taak succesvol bijgewerkt',
+ 'background_image' => 'Achtergrondafbeelding',
+ 'background_image_help' => 'Gebruik de :link om uw afbeeldingen te beheren, we raden aan een klein bestand te gebruiken.',
+ 'proposal_editor' => 'voorstel editor',
+ 'background' => 'Achtergrond',
+ 'guide' => 'Gids',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Toon betalingen',
+ 'show_aging' => 'Toon veroudering',
+ 'reference' => 'Referentie',
+ 'amount_paid' => 'Betaald bedrag',
+ 'send_notifications_for' => 'Stuur notificaties van',
+ 'all_invoices' => 'Alle facturen',
+ 'my_invoices' => 'Mijn facturen',
+ 'mobile_refresh_warning' => 'Als u de mobiele app gebruikt, moet u mogelijk een volledige vernieuwing uitvoeren.',
+ 'enable_proposals_for_background' => 'Een achtergrondafbeelding uploaden :link om de voorstellenmodule in te schakelen.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/nl/validation.php b/resources/lang/nl/validation.php
new file mode 100644
index 000000000000..4a4aebfa41d6
--- /dev/null
+++ b/resources/lang/nl/validation.php
@@ -0,0 +1,117 @@
+ ":attribute moet geaccepteerd zijn.",
+ "active_url" => ":attribute is geen geldige URL.",
+ "after" => ":attribute moet een datum na :date zijn.",
+ "alpha" => ":attribute mag alleen letters bevatten.",
+ "alpha_dash" => ":attribute mag alleen letters, nummers, lage streep (_) en liggende streep (-) bevatten.",
+ "alpha_num" => ":attribute mag alleen letters en nummers bevatten.",
+ "array" => ":attribute moet geselecteerde elementen bevatten.",
+ "before" => ":attribute moet een datum voor :date zijn.",
+ "between" => array(
+ "numeric" => ":attribute moet tussen :min en :max zijn.",
+ "file" => ":attribute moet tussen :min en :max kilobytes zijn.",
+ "string" => ":attribute moet tussen :min en :max tekens zijn.",
+ "array" => ":attribute moet tussen :min en :max items bevatten.",
+ ),
+ "confirmed" => ":attribute bevestiging komt niet overeen.",
+ "count" => ":attribute moet precies :count geselecteerde elementen bevatten.",
+ "countbetween" => ":attribute moet tussen :min en :max geselecteerde elementen bevatten.",
+ "countmax" => ":attribute moet minder dan :max geselecteerde elementen bevatten.",
+ "countmin" => ":attribute moet minimaal :min geselecteerde elementen bevatten.",
+ "date" => ":attribute is een ongeldige datum.",
+ "date_format" => ":attribute moet een geldig datum formaat bevatten.",
+ "different" => ":attribute en :other moeten verschillend zijn.",
+ "digits" => ":attribute moet :digits cijfers bevatten.",
+ "digits_between" => ":attribute moet minimaal :min en maximaal :max cijfers bevatten.",
+ "email" => ":attribute is geen geldig e-mailadres.",
+ "exists" => ":attribute bestaat niet.",
+ "image" => ":attribute moet een afbeelding zijn.",
+ "in" => ":attribute is ongeldig.",
+ "integer" => ":attribute moet een getal zijn.",
+ "ip" => ":attribute moet een geldig IP-adres zijn.",
+ "match" => "Het formaat van :attribute is ongeldig.",
+ "max" => array(
+ "numeric" => ":attribute moet minder dan :max zijn.",
+ "file" => ":attribute moet minder dan :max kilobytes zijn.",
+ "string" => ":attribute moet minder dan :max tekens zijn.",
+ "array" => ":attribute mag maximaal :max items bevatten.",
+ ),
+ "mimes" => ":attribute moet een bestand zijn van het bestandstype :values.",
+ "min" => array(
+ "numeric" => ":attribute moet minimaal :min zijn.",
+ "file" => ":attribute moet minimaal :min kilobytes zijn.",
+ "string" => ":attribute moet minimaal :min tekens zijn.",
+ "array" => ":attribute moet minimaal :min items bevatten.",
+ ),
+ "not_in" => "Het geselecteerde :attribute is ongeldig.",
+ "numeric" => ":attribute moet een nummer zijn.",
+ "regex" => ":attribute formaat is ongeldig.",
+ "required" => ":attribute is verplicht.",
+ "required_if" => ":attribute is verplicht wanneer in het veld :other gekozen is voor :value.",
+ "required_with" => ":attribute is verplicht wanneer :values ingevuld is.",
+ "required_with_all" => ":attribute is verplicht i.c.m. :values",
+ "required_without" => ":attribute is verplicht als :values niet ingevuld is.",
+ "required_without_all" => ":attribute is verplicht als :values niet ingevuld zijn.",
+ "same" => ":attribute en :other moeten overeenkomen.",
+ "size" => array(
+ "numeric" => ":attribute moet :size zijn.",
+ "file" => ":attribute moet :size kilobyte zijn.",
+ "string" => ":attribute moet :size tekens lang zijn.",
+ "array" => ":attribute moet :size items bevatten.",
+ ),
+ "unique" => ":attribute is al in gebruik.",
+ "url" => ":attribute is geen geldige URL.",
+
+ "positive" => ":attribute moet groter zijn dan nul.",
+ "has_credit" => "De klant heeft niet voldoende krediet.",
+ "notmasked" => "De waarden zijn verborgen",
+ "less_than" => 'Het :attribute moet minder zijn dan :value',
+ "has_counter" => 'De waarde moet {$counter} bevatten',
+ "valid_contacts" => "Alle contactpersonen moeten een e-mailadres of een naam hebben",
+ "valid_invoice_items" => "De factuur overschrijd het maximale aantal",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(
+ 'attribute-name' => array(
+ 'rule-name' => 'custom-message',
+ ),
+ ),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(),
+
+);
diff --git a/resources/lang/pl/pagination.php b/resources/lang/pl/pagination.php
new file mode 100644
index 000000000000..950c5e96cc41
--- /dev/null
+++ b/resources/lang/pl/pagination.php
@@ -0,0 +1,20 @@
+ '« Poprzedni',
+
+ 'next' => 'Następny »',
+
+);
diff --git a/resources/lang/pl/passwords.php b/resources/lang/pl/passwords.php
new file mode 100644
index 000000000000..28ccb957b349
--- /dev/null
+++ b/resources/lang/pl/passwords.php
@@ -0,0 +1,22 @@
+ "Hasło musi mieć conajmniej sześć znaków i być takie samo jak potwierdzające.",
+ "user" => "Użytkownik o podanym adresie e-mail nie istnieje.",
+ "token" => "Wprowadzony token jest nieprawidłowy.",
+ "sent" => "Link do resetowania hasła został wysłany.",
+ "reset" => "Twoje hasło zostało zresetowane!",
+
+];
\ No newline at end of file
diff --git a/resources/lang/pl/reminders.php b/resources/lang/pl/reminders.php
new file mode 100644
index 000000000000..25824a7f285a
--- /dev/null
+++ b/resources/lang/pl/reminders.php
@@ -0,0 +1,24 @@
+ "Hasło musi mieć conajmniej sześć znaków i być takie samo jak potwierdzające.",
+
+ "user" => "Użytkownik o podanym adresie e-mail nie istnieje.",
+
+ "token" => "Wprowadzony token jest nieprawidłowy.",
+
+ "sent" => "Przypomnienie hasła zostało wysłane!",
+
+);
\ No newline at end of file
diff --git a/resources/lang/pl/texts.php b/resources/lang/pl/texts.php
new file mode 100644
index 000000000000..9e3048ff9249
--- /dev/null
+++ b/resources/lang/pl/texts.php
@@ -0,0 +1,2872 @@
+ 'Organizacja',
+ 'name' => 'Nazwa',
+ 'website' => 'Strona internetowa',
+ 'work_phone' => 'Telefon służbowy',
+ 'address' => 'Adres',
+ 'address1' => 'Ulica',
+ 'address2' => 'Nr',
+ 'city' => 'Miasto',
+ 'state' => 'Województwo',
+ 'postal_code' => 'Kod pocztowy',
+ 'country_id' => 'Kraj',
+ 'contacts' => 'Kontakty',
+ 'first_name' => 'Imię',
+ 'last_name' => 'Nazwisko',
+ 'phone' => 'Telefon',
+ 'email' => 'Email',
+ 'additional_info' => 'Dodatkowe informacje',
+ 'payment_terms' => 'Warunki płatnicze',
+ 'currency_id' => 'Waluta',
+ 'size_id' => 'Wielkość firmy',
+ 'industry_id' => 'Branża',
+ 'private_notes' => 'Prywatne notatki',
+ 'invoice' => 'Faktura',
+ 'client' => 'Klient',
+ 'invoice_date' => 'Data Faktury',
+ 'due_date' => 'Termin',
+ 'invoice_number' => 'Numer Faktury',
+ 'invoice_number_short' => 'Faktura #',
+ 'po_number' => 'Numer zamówienia',
+ 'po_number_short' => 'Zamówienie #',
+ 'frequency_id' => 'Jak często',
+ 'discount' => 'Rabat',
+ 'taxes' => 'Podatki',
+ 'tax' => 'Podatek',
+ 'item' => 'Pozycja',
+ 'description' => 'Opis towaru / usługi',
+ 'unit_cost' => 'Cena j. net',
+ 'quantity' => 'Ilość',
+ 'line_total' => 'Wartość',
+ 'subtotal' => 'Suma wartości netto',
+ 'paid_to_date' => 'Zapłacono dotychczas',
+ 'balance_due' => 'Do zapłaty',
+ 'invoice_design_id' => 'Motyw',
+ 'terms' => 'Warunki',
+ 'your_invoice' => 'Twoja faktura',
+ 'remove_contact' => 'Usuń kontakt',
+ 'add_contact' => 'Dodaj kontakt',
+ 'create_new_client' => 'Dodaj nowego klienta',
+ 'edit_client_details' => 'Edytuj dane klienta',
+ 'enable' => 'Aktywuj',
+ 'learn_more' => 'Więcej informacji',
+ 'manage_rates' => 'Zarządzaj stawkami',
+ 'note_to_client' => 'Informacja dla klienta',
+ 'invoice_terms' => 'Warunki do faktury',
+ 'save_as_default_terms' => 'Zapisz jako domyślne warunki',
+ 'download_pdf' => 'Pobierz PDF',
+ 'pay_now' => 'Zapłać teraz',
+ 'save_invoice' => 'Zapisz fakturę',
+ 'clone_invoice' => 'Skopiuj do Faktury',
+ 'archive_invoice' => 'Zarchiwizuj fakturę',
+ 'delete_invoice' => 'Usuń fakturę',
+ 'email_invoice' => 'Wyślij fakturę',
+ 'enter_payment' => 'Wprowadź płatność',
+ 'tax_rates' => 'Stawki podatkowe',
+ 'rate' => 'Stawka',
+ 'settings' => 'Ustawienia',
+ 'enable_invoice_tax' => 'Aktywuj możliwość ustawienia podatku do faktury',
+ 'enable_line_item_tax' => 'Aktywuj możliwość ustawienia podatku do pozycji na fakturze',
+ 'dashboard' => 'Pulpit',
+ 'clients' => 'Klienci',
+ 'invoices' => 'Faktury',
+ 'payments' => 'Płatności',
+ 'credits' => 'Kredyty',
+ 'history' => 'Historia',
+ 'search' => 'Szukaj',
+ 'sign_up' => 'Zapisz się',
+ 'guest' => 'Gość',
+ 'company_details' => 'Dane firmy',
+ 'online_payments' => 'Płatności online',
+ 'notifications' => 'Powiadomienia',
+ 'import_export' => 'Import | Eksport danych',
+ 'done' => 'Gotowe',
+ 'save' => 'Zapisz',
+ 'create' => 'Utwórz',
+ 'upload' => 'Prześlij',
+ 'import' => 'Importuj',
+ 'download' => 'Pobierz',
+ 'cancel' => 'Anuluj',
+ 'close' => 'Zamknij',
+ 'provide_email' => 'Wprowadź poprawny e-mail',
+ 'powered_by' => 'Oparte na',
+ 'no_items' => 'Brak pozycji',
+ 'recurring_invoices' => 'Faktury odnawialne',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'całkowity przychód',
+ 'billed_client' => 'obciążony klient',
+ 'billed_clients' => 'obciążeni klienci',
+ 'active_client' => 'aktywny klient',
+ 'active_clients' => 'aktywni klienci',
+ 'invoices_past_due' => 'Zaległe faktury',
+ 'upcoming_invoices' => 'Nadchodzące faktury',
+ 'average_invoice' => 'Średnia wartość',
+ 'archive' => 'Archiwum',
+ 'delete' => 'Usuń',
+ 'archive_client' => 'Zarchiwizuj klienta',
+ 'delete_client' => 'Usuń klienta',
+ 'archive_payment' => 'Zarchiwizuj płatność',
+ 'delete_payment' => 'Usuń płatność',
+ 'archive_credit' => 'Zarchiwizuj kredyt',
+ 'delete_credit' => 'Usuń kredyt',
+ 'show_archived_deleted' => 'Pokaż zarchiwizowane/usunięte',
+ 'filter' => 'Filtruj',
+ 'new_client' => 'Nowy klient',
+ 'new_invoice' => 'Nowa faktura',
+ 'new_payment' => 'Wykonaj płatność',
+ 'new_credit' => 'Wprowadź kredyt',
+ 'contact' => 'Kontakt',
+ 'date_created' => 'Data utworzenia',
+ 'last_login' => 'Ostatnie logowanie',
+ 'balance' => 'Saldo',
+ 'action' => 'Akcja',
+ 'status' => 'Status',
+ 'invoice_total' => 'Faktura ogółem',
+ 'frequency' => 'Częstotliwość',
+ 'start_date' => 'Początkowa data',
+ 'end_date' => 'Końcowa data',
+ 'transaction_reference' => 'Numer referencyjny transakcji',
+ 'method' => 'Metoda',
+ 'payment_amount' => 'Kwota płatności',
+ 'payment_date' => 'Data płatności',
+ 'credit_amount' => 'Kwota kredytu',
+ 'credit_balance' => 'Saldo kredytowe',
+ 'credit_date' => 'Data kredytu',
+ 'empty_table' => 'Brak danych w tabeli',
+ 'select' => 'Wybierz',
+ 'edit_client' => 'Edytuj klienta',
+ 'edit_invoice' => 'Edytuj fakturę',
+ 'create_invoice' => 'Utwórz Fakturę',
+ 'enter_credit' => 'Wprowadź kredyt',
+ 'last_logged_in' => 'Ostatnie logowanie',
+ 'details' => 'Szczegóły',
+ 'standing' => 'Oczekujące',
+ 'credit' => 'Kredyt',
+ 'activity' => 'Dziennik aktywności',
+ 'date' => 'Data',
+ 'message' => 'Wiadomość',
+ 'adjustment' => 'Dostosowanie',
+ 'are_you_sure' => 'Jesteś pewny?',
+ 'payment_type_id' => 'Typ płatności',
+ 'amount' => 'Kwota',
+ 'work_email' => 'Email',
+ 'language_id' => 'Język',
+ 'timezone_id' => 'Strefa czasowa',
+ 'date_format_id' => 'Format daty',
+ 'datetime_format_id' => 'Format Data/Godzina',
+ 'users' => 'Użytkownicy',
+ 'localization' => 'Lokalizacja',
+ 'remove_logo' => 'Usuń logo',
+ 'logo_help' => 'Obsługiwane: JPEG, GIF i PNG',
+ 'payment_gateway' => 'Dostawca płatności',
+ 'gateway_id' => 'Dostawca',
+ 'email_notifications' => 'Powiadomienia mailowe',
+ 'email_sent' => 'Wyślij do mnie email, gdy faktura zostanie wysłana',
+ 'email_viewed' => 'Wyślij do mnie email, gdy faktura zostanie wyświetlona',
+ 'email_paid' => 'Wyślij do mnie email, gdy faktura zostanie opłacona',
+ 'site_updates' => 'Aktualizacje strony',
+ 'custom_messages' => 'Niestandardowe komunikaty',
+ 'default_email_footer' => 'Ustaw domyślny podpis dla wiadomości email',
+ 'select_file' => 'Wybierz plik',
+ 'first_row_headers' => 'Użyj pierwszego wiersza jako nagłówków',
+ 'column' => 'Kolumna',
+ 'sample' => 'Przykład',
+ 'import_to' => 'Zaimportuj do',
+ 'client_will_create' => 'klient będzie utworzony',
+ 'clients_will_create' => 'klienci będą utworzeni',
+ 'email_settings' => 'Ustawienia e-mail',
+ 'client_view_styling' => 'Dopasowanie widoku klienta',
+ 'pdf_email_attachment' => 'Załącz PDF',
+ 'custom_css' => 'Własny CSS',
+ 'import_clients' => 'Importuj dane klienta',
+ 'csv_file' => 'Plik CSV',
+ 'export_clients' => 'Eksportuj dane klienta',
+ 'created_client' => 'Klient został utworzony',
+ 'created_clients' => 'Utworzono :count klienta/klientów',
+ 'updated_settings' => 'Ustawienia zostały zaktualizowane',
+ 'removed_logo' => 'Logo zostało usunięte',
+ 'sent_message' => 'Wiadomość została wysłana',
+ 'invoice_error' => 'Pamiętaj, aby wybrać klienta i poprawić błędy',
+ 'limit_clients' => 'Przepraszamy, to przekracza limit :count klientów',
+ 'payment_error' => 'Wystąpił błąd w trakcie przetwarzania płatności. Prosimy spróbować później.',
+ 'registration_required' => 'Zarejestruj się, aby wysłać fakturę w wiadomości email',
+ 'confirmation_required' => 'Potwierdź swój adres emailowy, :link do ponownego wysłania emailu weryfikujacego.',
+ 'updated_client' => 'Klient został zaktualizowany',
+ 'created_client' => 'Klient został utworzony',
+ 'archived_client' => 'Klient został zarchiwizowany',
+ 'archived_clients' => 'Zarchiwizowano :count klientów',
+ 'deleted_client' => 'Klient został usunięty',
+ 'deleted_clients' => 'Usunięto :count klientów',
+ 'updated_invoice' => 'Faktura została zaktualizowana',
+ 'created_invoice' => 'Faktura została utworzona',
+ 'cloned_invoice' => 'Faktura została sklonowana',
+ 'emailed_invoice' => 'Faktura została wysłana',
+ 'and_created_client' => 'i utworzono klienta',
+ 'archived_invoice' => 'Faktura została zarchiwizowana',
+ 'archived_invoices' => 'Zarchiwizowano :count faktury',
+ 'deleted_invoice' => 'Faktura została usunięta',
+ 'deleted_invoices' => 'Usunięto :count faktury',
+ 'created_payment' => 'Płatność została utworzona',
+ 'created_payments' => 'Utworzono :count płatność/płatności',
+ 'archived_payment' => 'Płatność zostałą zarchiwizowana',
+ 'archived_payments' => 'Zarchiwizowano :count płatności',
+ 'deleted_payment' => 'Płatność została usunięta',
+ 'deleted_payments' => 'Usunięto :count płatności',
+ 'applied_payment' => 'Zastosowano płatność',
+ 'created_credit' => 'Kredyt został utworzony',
+ 'archived_credit' => 'Kredyt zarchiwizowano',
+ 'archived_credits' => 'Zarchiwizowano :count kredyty/kredytów',
+ 'deleted_credit' => 'Kredyt został usunięty',
+ 'deleted_credits' => 'Usunięto :count kredyty/kredytów',
+ 'imported_file' => 'Plik został zaimportowany',
+ 'updated_vendor' => 'Zaktualizowano dostawcę',
+ 'created_vendor' => 'Dostawca został utworzony',
+ 'archived_vendor' => 'Dostawca został zarchiwizowany',
+ 'archived_vendors' => 'Zarchiwizowano :count dostawców',
+ 'deleted_vendor' => 'Dostawca został usunięty',
+ 'deleted_vendors' => 'Usunięto :count dostawców',
+ 'confirmation_subject' => 'Potwierdzenie rejestracji konta w Invoice Ninja',
+ 'confirmation_header' => 'Potwierdzenie rejestracji konta',
+ 'confirmation_message' => 'Proszę przejść do poniższego adresu, aby zweryfikować swoje konto.',
+ 'invoice_subject' => 'New invoice :number from :account',
+ 'invoice_message' => 'Aby wyświetlić fakturę za :amount kliknij link poniżej.',
+ 'payment_subject' => 'Otrzymano płatność',
+ 'payment_message' => 'Dziękujemy za dokonanie płatności w kwocie :amount.',
+ 'email_salutation' => 'Drogi :name,',
+ 'email_signature' => 'Z wyrazami szacunku,',
+ 'email_from' => 'Zespół The Invoice Ninja',
+ 'invoice_link_message' => 'Aby wyświetlić fakturę kliknij link poniżej:',
+ 'notification_invoice_paid_subject' => 'Faktura :invoice zapłacona przez :client',
+ 'notification_invoice_sent_subject' => 'Faktura :invoice wysłana do :client',
+ 'notification_invoice_viewed_subject' => 'Faktura :invoice wyświetlona przez :client',
+ 'notification_invoice_paid' => 'Płatność na kwotę :amount została dokonana przez :client w ramach faktury :invoice.',
+ 'notification_invoice_sent' => 'Do :client wysłano email z fakturą :invoice na kwotę :amount.',
+ 'notification_invoice_viewed' => ':client wyświetlił fakturą :invoice na kwotę :amount.',
+ 'reset_password' => 'Możesz zresetować hasło do swojego konta klikając ten przycisk:',
+ 'secure_payment' => 'Bezpieczna płatność',
+ 'card_number' => 'Numer karty płatniczej',
+ 'expiration_month' => 'Miesiąc ważności ',
+ 'expiration_year' => 'Rok ważności ',
+ 'cvv' => 'Kod CVV',
+ 'logout' => 'Wyloguj się',
+ 'sign_up_to_save' => 'Zarejestruj się, aby zapisać swoją pracę',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Warunki korzystania z Serwisu',
+ 'email_taken' => 'Podany adres email już istnieje',
+ 'working' => 'Wykonywanie',
+ 'success' => 'Sukces',
+ 'success_message' => 'Rejestracja udana! Proszę kliknąć link w mailu aktywacyjnym wysłanym na twój adres email.',
+ 'erase_data' => 'Your account is not registered, this will permanently erase your data.',
+ 'password' => 'Hasło',
+ 'pro_plan_product' => 'Plan Pro',
+ 'pro_plan_success' => 'Thanks for choosing Invoice Ninja\'s Pro plan!
+ Next StepsA 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',
+ 'unsaved_changes' => 'Masz niezapisane zmiany',
+ 'custom_fields' => 'Dostosowane pola',
+ 'company_fields' => 'Pola firmy',
+ 'client_fields' => 'Pola klienta',
+ 'field_label' => 'Pola etykiety',
+ 'field_value' => 'Pola wartości',
+ 'edit' => 'Edytuj',
+ 'set_name' => 'Ustaw nazwę firmy',
+ 'view_as_recipient' => 'Wyświetl jako odbiorca',
+ 'product_library' => 'Biblioteka produktów',
+ 'product' => 'Produkt',
+ 'products' => 'Produkty',
+ 'fill_products' => 'Automatycznie uzupełniaj produkty',
+ 'fill_products_help' => 'Wybieranie produktu automatycznie uzupełni opis i kwotę',
+ 'update_products' => 'Automatycznie aktualizuj produkty',
+ 'update_products_help' => 'Zaktualizowanie faktury automatycznie uaktualni produkt w bibliotece produktów',
+ 'create_product' => 'Dodaj produkt',
+ 'edit_product' => 'Edytuj produkt',
+ 'archive_product' => 'Zarchiwizuj produkt',
+ 'updated_product' => 'Produkt został zaktualizowany',
+ 'created_product' => 'Produkt został utworzony',
+ 'archived_product' => 'Produkt został zarchiwizowany',
+ 'pro_plan_custom_fields' => ':link aby aktywować dostosowywanie pól poprzez dołączenie do planu Pro.',
+ 'advanced_settings' => 'Ustawienia zaawansowane',
+ 'pro_plan_advanced_settings' => ':link to enable the advanced settings by joining the Pro Plan',
+ 'invoice_design' => 'Motyw faktury',
+ 'specify_colors' => 'Wybierz kolory',
+ 'specify_colors_label' => 'Dopasuj kolory użyte w fakturze',
+ 'chart_builder' => 'Generator wykresów',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Wybierz Pro',
+ 'quote' => 'Oferta',
+ 'quotes' => 'Oferty',
+ 'quote_number' => 'Numer oferty',
+ 'quote_number_short' => 'Oferta #',
+ 'quote_date' => 'Data oferty',
+ 'quote_total' => 'Suma oferty',
+ 'your_quote' => 'Twoja oferta',
+ 'total' => 'Suma',
+ 'clone' => 'Klonuj',
+ 'new_quote' => 'Nowa oferta',
+ 'create_quote' => 'Stwórz ofertę',
+ 'edit_quote' => 'Edytuj ofertę',
+ 'archive_quote' => 'Archiwizuj ofertę',
+ 'delete_quote' => 'Usuń ofertę',
+ 'save_quote' => 'Zapisz ofertę',
+ 'email_quote' => 'Wyślij ofertę',
+ 'clone_quote' => 'Skopiuj do Wyceny',
+ 'convert_to_invoice' => 'Konwertuj do faktury',
+ 'view_invoice' => 'Zobacz fakturę',
+ 'view_client' => 'Zobacz klienta',
+ 'view_quote' => 'Zobacz ofertę',
+ 'updated_quote' => 'Oferta została zaktualizowana',
+ 'created_quote' => 'Oferta została utworzona',
+ 'cloned_quote' => 'Oferta została sklonowana',
+ 'emailed_quote' => 'Oferta została wysłana',
+ 'archived_quote' => 'Oferta została zarchiwizowana',
+ 'archived_quotes' => 'Zarchiwizowano :count ofert',
+ 'deleted_quote' => 'Oferta została usunięta',
+ 'deleted_quotes' => 'Usunięto :count ofert',
+ 'converted_to_invoice' => 'Utworzono fakturę z oferty',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'Aby zobaczyć ofertę na kwotę :amount, kliknij w poniższy link.',
+ 'quote_link_message' => 'Aby zobaczyć ofertę dla klienta, kliknij w poniższy link:',
+ 'notification_quote_sent_subject' => 'Oferta :invoice została wysłana do :client',
+ 'notification_quote_viewed_subject' => 'Oferta :invoice została wyświetlona przez :client',
+ 'notification_quote_sent' => ':client otrzymał wiadomość email z ofertą :invoice na kwotę :amount.',
+ 'notification_quote_viewed' => ':client wyświetlił ofertę :invoice na kwotę :amount.',
+ 'session_expired' => 'Twoja sesja wygasła.',
+ 'invoice_fields' => 'Pola faktury',
+ 'invoice_options' => 'Opcje faktury',
+ 'hide_paid_to_date' => 'Ukryj pole "Zapłacono dotychczas"',
+ 'hide_paid_to_date_help' => 'Wyświetlaj "Zapłacono dotychczas" tylko przy tych fakturach, do których otrzymano płatność.',
+ 'charge_taxes' => 'Obciąż podatkami',
+ 'user_management' => 'Zarządzanie użytkownikami',
+ 'add_user' => 'Dodaj użytkownika',
+ 'send_invite' => 'Wyślij zaproszenie',
+ 'sent_invite' => 'Zaproszenie zostało wysłane',
+ 'updated_user' => 'Użytkownik został zaktualizowany',
+ 'invitation_message' => 'Zostałeś zaproszony przez :invitor. ',
+ 'register_to_add_user' => 'Zaloguj się, aby dodać użytkownika',
+ 'user_state' => 'Stan',
+ 'edit_user' => 'Edytuj użytkownika',
+ 'delete_user' => 'Usuń użytkownika',
+ 'active' => 'Aktywny',
+ 'pending' => 'Oczekuję',
+ 'deleted_user' => 'Użytkownik został usunięty',
+ 'confirm_email_invoice' => 'Czy na pewno chcesz wysłać emailem tę fakturę?',
+ 'confirm_email_quote' => 'Czy na pewno chcesz wysłać emailem tę ofertę?',
+ 'confirm_recurring_email_invoice' => 'Czy na pewno chcesz wysłać emailem tę fakturę?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Napewno chcesz uruchomić odnawianie?',
+ 'cancel_account' => 'Anuluj konto',
+ 'cancel_account_message' => 'Warning: This will permanently delete your account, there is no undo.',
+ 'go_back' => 'Wstecz',
+ 'data_visualizations' => 'Wizualizacje danych',
+ 'sample_data' => 'Użyto przykładowych danych',
+ 'hide' => 'Ukryj',
+ 'new_version_available' => 'Nowa wersja dla :releases_link jest dostępna. Używasz wersji v:user_version, a najnowsza to v:latest_version',
+ 'invoice_settings' => 'Ustawienia faktury',
+ 'invoice_number_prefix' => 'Prefiks numeru faktury',
+ 'invoice_number_counter' => 'Licznik numeru faktury',
+ 'quote_number_prefix' => 'Prefiks numeru oferty',
+ 'quote_number_counter' => 'Licznik numeru oferty',
+ 'share_invoice_counter' => 'Udostępnij licznik faktur',
+ 'invoice_issued_to' => 'Faktura wystawiona dla',
+ 'invalid_counter' => 'Aby zapobiec możliwym konfliktom, proszę ustawić prefiks dla faktur lub ofert.',
+ 'mark_sent' => 'Oznacz jako wysłane',
+ 'gateway_help_1' => ':link, aby zarejestrować się w Authorize.net.',
+ 'gateway_help_2' => ':link, aby zarejestrować się w Authorize.net.',
+ 'gateway_help_17' => ':link, aby otrzymać sygnaturę PayPal API.',
+ 'gateway_help_27' => ':link to sign up for 2Checkout.com. To ensure payments are tracked set :complete_link as the redirect URL under Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link aby stworzyć konto WePay.',
+ 'more_designs' => 'Więcej motywów',
+ 'more_designs_title' => 'Dodatkowe motywy faktur',
+ 'more_designs_cloud_header' => 'Więcej motywów faktur w wersji PRO',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Kup',
+ 'bought_designs' => 'Dodatkowe motywy faktur zostały dodane',
+ 'sent' => 'Wysłane',
+ 'vat_number' => 'Numer NIP',
+ 'timesheets' => 'Ewidencja czasu',
+ 'payment_title' => 'Enter Your Billing Address and Credit Card information',
+ 'payment_cvv' => '*to trzy lub czterocyfrowy kod na odwrocie twojej karty płatnicznej',
+ 'payment_footer1' => '*Billing address must match address associated with credit card.',
+ 'payment_footer2' => '*Please click "PAY NOW" only once - transaction may take up to 1 minute to process.',
+ 'id_number' => 'REGON',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'Successfully enabled white label license',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Przywróć',
+ 'restore_invoice' => 'Przywróć fakturę',
+ 'restore_quote' => 'Przywróć ofertę',
+ 'restore_client' => 'Przywróć klienta',
+ 'restore_credit' => 'Przywróć kredyt',
+ 'restore_payment' => 'Przywróć płatność',
+ 'restored_invoice' => 'Faktura została przywrócona',
+ 'restored_quote' => 'Oferta została przywrócona',
+ 'restored_client' => 'Klient został przywrócony',
+ 'restored_payment' => 'Płatność została przywrócona',
+ 'restored_credit' => 'Kredyt został przywrócony',
+ 'reason_for_canceling' => 'Help us improve our site by telling us why you\'re leaving.',
+ 'discount_percent' => 'Procent',
+ 'discount_amount' => 'Kwota',
+ 'invoice_history' => 'Historia faktury',
+ 'quote_history' => 'Historia oferty',
+ 'current_version' => 'Aktualna wersja',
+ 'select_version' => 'Wybierz wersję',
+ 'view_history' => 'Zobacz historię',
+ 'edit_payment' => 'Edytuj płatność',
+ 'updated_payment' => 'Płatność została zaktualizowana',
+ 'deleted' => 'Usunięte',
+ 'restore_user' => 'Przywróć użytkownika',
+ 'restored_user' => 'Użytkownik został przywrócony',
+ 'show_deleted_users' => 'Pokaż usuniętych użytkowników',
+ 'email_templates' => 'Szablony e-mail',
+ 'invoice_email' => 'Email faktury',
+ 'payment_email' => 'Email płatności',
+ 'quote_email' => 'Email oferty',
+ 'reset_all' => 'Resetuj wszystko',
+ 'approve' => 'Zatwierdź',
+ 'token_billing_type_id' => 'Token Płatności',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Wyłączone',
+ 'token_billing_2' => 'Opt-in - checkbox is shown but not selected',
+ 'token_billing_3' => 'Opt-out - checkbox is shown and selected',
+ 'token_billing_4' => 'Zawsze',
+ 'token_billing_checkbox' => 'Zapisz dane karty kredytowej',
+ 'view_in_gateway' => 'Zobacz w :gateway',
+ 'use_card_on_file' => 'Use Card on File',
+ 'edit_payment_details' => 'Edytuj szczegóły płatności',
+ 'token_billing' => 'Zapisz dane karty',
+ 'token_billing_secure' => 'Te dane są bezpiecznie zapisywane dzięki :stripe_link',
+ 'support' => 'Wsparcie',
+ 'contact_information' => 'Dane kontaktowe',
+ '256_encryption' => 'Szyfrowanie 256-bitowe.',
+ 'amount_due' => 'Należności',
+ 'billing_address' => 'Adres rozliczeniowy',
+ 'billing_method' => 'Metoda płatności',
+ 'order_overview' => 'Podgląd zamówienia',
+ 'match_address' => '*Adres musi być taki sam, jak ten związany z kartą płatniczą.',
+ 'click_once' => '*Proszę kliknąć "ZAPŁAC TERAZ" tylko raz - przetwarzanie transakcji może zająć do 1 minuty.',
+ 'invoice_footer' => 'Stopka faktury',
+ 'save_as_default_footer' => 'Zapisz jako domyślną stopkę',
+ 'token_management' => 'Zarządanie tokenem',
+ 'tokens' => 'Tokeny',
+ 'add_token' => 'Dodaj token',
+ 'show_deleted_tokens' => 'Pokaż usunięte tokeny',
+ 'deleted_token' => 'Token został usunięty',
+ 'created_token' => 'Token został utworzony',
+ 'updated_token' => 'Token został zaktualizowany',
+ 'edit_token' => 'Edytuj token',
+ 'delete_token' => 'Usuń token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Dodaj dostawcę płatności',
+ 'delete_gateway' => 'Usuń dostawcę płatności',
+ 'edit_gateway' => 'Edytuj dostawcę płatności',
+ 'updated_gateway' => 'Dostawca płatności został zaktualizowany.',
+ 'created_gateway' => 'Dostawca płatności został utworzony',
+ 'deleted_gateway' => 'Dostawca płatności został usunięty',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Karta kredytowa',
+ 'change_password' => 'Zmień hasło',
+ 'current_password' => 'Aktualne hasło',
+ 'new_password' => 'Nowe hasło',
+ 'confirm_password' => 'Potwierdź hasło',
+ 'password_error_incorrect' => 'Hasło jest nieprawidłowe.',
+ 'password_error_invalid' => 'Nowe hasło jest nieprawidłowe.',
+ 'updated_password' => 'Hasło zostało zaktualizowane',
+ 'api_tokens' => 'Tokeny API',
+ 'users_and_tokens' => 'Użytkownicy i tokeny',
+ 'account_login' => 'Logowanie',
+ 'recover_password' => 'Odzyskaj swoje hasło',
+ 'forgot_password' => 'Zapomniałeś hasło?',
+ 'email_address' => 'Adres email',
+ 'lets_go' => 'Zaczynamy',
+ 'password_recovery' => 'Przywracanie hasła',
+ 'send_email' => 'Wyślij email',
+ 'set_password' => 'Ustaw hasło',
+ 'converted' => 'Skonwertowano',
+ 'email_approved' => 'Wyślij email, kiedy oferta będzie zatwierdzona',
+ 'notification_quote_approved_subject' => 'Oferta :invoice została zatwierdzona przez :client',
+ 'notification_quote_approved' => 'Klient :client zatwierdził ofertę :invoice na kwotę :amount.',
+ 'resend_confirmation' => 'Wyślij ponownie email potwierdzający',
+ 'confirmation_resent' => 'Email potwierdzający został wysłany',
+ 'gateway_help_42' => ':link to sign up for BitPay.
Note: use a Legacy API Key, not an API token.',
+ 'payment_type_credit_card' => 'Karta kredytowa',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Baza wiedzy',
+ 'partial' => 'Zaliczka/Opł.część',
+ 'partial_remaining' => ':partial z :balance',
+ 'more_fields' => 'Więcej pól',
+ 'less_fields' => 'Mniej pól',
+ 'client_name' => 'Nazwa klienta',
+ 'pdf_settings' => 'Ustawienia PDF',
+ 'product_settings' => 'Ustawienia produktu',
+ 'auto_wrap' => 'Zawijaj wiersze',
+ 'duplicate_post' => 'Warning: the previous page was submitted twice. The second submission had been ignored.',
+ 'view_documentation' => 'Zobacz dokumentację',
+ 'app_title' => 'Free Open-Source Online Invoicing',
+ 'app_description' => 'Invoice Ninja is a free, open-source solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.',
+ 'rows' => 'wierszy',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdomena',
+ 'provide_name_or_email' => 'Proszę wprowadzić nazwę lub adres email',
+ 'charts_and_reports' => 'Raporty i wykresy',
+ 'chart' => 'Wykres',
+ 'report' => 'Raport',
+ 'group_by' => 'Grupuj według',
+ 'paid' => 'Zapłacone',
+ 'enable_report' => 'Raport',
+ 'enable_chart' => 'Wykres',
+ 'totals' => 'Suma',
+ 'run' => 'Uruchom',
+ 'export' => 'Eksport',
+ 'documentation' => 'Dokumentacja',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Odnawialne',
+ 'last_invoice_sent' => 'Ostatnią fakturę wysłano :date',
+ 'processed_updates' => 'Pomyślnie zakończono aktualizację',
+ 'tasks' => 'Zadania',
+ 'new_task' => 'Nowe zadanie',
+ 'start_time' => 'Czas rozpoczęcia',
+ 'created_task' => 'Pomyślnie utworzono zadanie',
+ 'updated_task' => 'Pomyślnie zaktualizowano zadanie',
+ 'edit_task' => 'Edytuj zadanie',
+ 'archive_task' => 'Archiwizuj zadanie',
+ 'restore_task' => 'Przywróć zadanie',
+ 'delete_task' => 'Usuń zadanie',
+ 'stop_task' => 'Zatrzymaj zadanie',
+ 'time' => 'Czas',
+ 'start' => 'Rozpocznij',
+ 'stop' => 'Zatrzymaj',
+ 'now' => 'Teraz',
+ 'timer' => 'Odliczanie czasu',
+ 'manual' => 'Wprowadź ręcznie',
+ 'date_and_time' => 'Data i czas',
+ 'second' => 'Second',
+ 'seconds' => 'Seconds',
+ 'minute' => 'Minuta',
+ 'minutes' => 'Minuty',
+ 'hour' => 'Godzina',
+ 'hours' => 'Godziny',
+ 'task_details' => 'Szczegóły zadania',
+ 'duration' => 'Czas trwania',
+ 'end_time' => 'Zakończono',
+ 'end' => 'Koniec',
+ 'invoiced' => 'Zafakturowano',
+ 'logged' => 'Zapisano',
+ 'running' => 'W trakcie',
+ 'task_error_multiple_clients' => 'Zadania nie mogą należeć do różnych klientów',
+ 'task_error_running' => 'Proszę wcześniej zakończyć wykonywanie zadania.',
+ 'task_error_invoiced' => 'Zadania zostały już ujęte zafakturowane.',
+ 'restored_task' => 'Zadanie zostało przywrócone',
+ 'archived_task' => 'Zadania zostało zarchiwizowane',
+ 'archived_tasks' => 'Zarchiwizowano :count zadania/zadań',
+ 'deleted_task' => 'Usunięto zadanie',
+ 'deleted_tasks' => 'Usunięto :count zadania/zadań',
+ 'create_task' => 'Stwórz zadanie',
+ 'stopped_task' => 'Zakończono wykonywanie zadania',
+ 'invoice_task' => 'Fakturuj zadanie',
+ 'invoice_labels' => 'Etykiety Faktury',
+ 'prefix' => 'Prefiks',
+ 'counter' => 'Licznik',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link to sign up for Dwolla',
+ 'partial_value' => 'Must be greater than zero and less than the total',
+ 'more_actions' => 'Więcej działań',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Upgrade Now!',
+ 'pro_plan_feature1' => 'Create Unlimited Clients',
+ 'pro_plan_feature2' => 'Access to 10 Beautiful Invoice Designs',
+ 'pro_plan_feature3' => 'Custom URLs - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Remove "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Multi-user Access & Activity Tracking',
+ 'pro_plan_feature6' => 'Tworzy oferty i faktury pro-forma',
+ 'pro_plan_feature7' => 'Customize Invoice Field Titles & Numbering',
+ 'pro_plan_feature8' => 'Opcja dołączania plików PDF do wiadomości email wysyłanych do klientów. ',
+ 'resume' => 'Wznów',
+ 'break_duration' => 'Zatrzymaj',
+ 'edit_details' => 'Edytuj szczegóły',
+ 'work' => 'Praca',
+ 'timezone_unset' => 'Please :link to set your timezone',
+ 'click_here' => 'kliknij tutaj',
+ 'email_receipt' => 'Wyślij potwierdzenie zapłaty do klienta',
+ 'created_payment_emailed_client' => 'Stworzono płatność i wysłano email do klienta',
+ 'add_company' => 'Dodaj firmę',
+ 'untitled' => 'Bez nazwy',
+ 'new_company' => 'Nowa firma',
+ 'associated_accounts' => 'Połączono konta',
+ 'unlinked_account' => 'Rozłączono konta',
+ 'login' => 'Zaloguj',
+ 'or' => 'lub',
+ 'email_error' => 'Wystąpił problem w trakcie wysyłania wiadomości email',
+ 'confirm_recurring_timing' => 'Uwaga: wiadomości email wysyłane są o równych godzinach.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Ustaw domyślny termin zapłaty faktury',
+ 'unlink_account' => 'Odepnij konto',
+ 'unlink' => 'Odepnij',
+ 'show_address' => 'Pokaż adres',
+ 'show_address_help' => 'Wymagaj od klienta podania adresu rozliczeniowego',
+ 'update_address' => 'Aktualizuj adres',
+ 'update_address_help' => 'Zaktualizuj dane adresowe klienta na podstawie dostarczonych informacji',
+ 'times' => 'Razy/Okresy',
+ 'set_now' => 'Ustaw na teraz',
+ 'dark_mode' => 'Tryb ciemny',
+ 'dark_mode_help' => 'Use a dark background for the sidebars',
+ 'add_to_invoice' => 'Dodaj do faktury :invoice',
+ 'create_new_invoice' => 'Utwórz nową fakturę',
+ 'task_errors' => 'Proszę skoryguj nakładające się czasy',
+ 'from' => 'Od',
+ 'to' => 'Do',
+ 'font_size' => 'Rozmiar fonta',
+ 'primary_color' => 'Główny kolor',
+ 'secondary_color' => 'Dodatkowy kolor',
+ 'customize_design' => 'Dostosuj motyw',
+ 'content' => 'Zawartość',
+ 'styles' => 'Style',
+ 'defaults' => 'Domyślne',
+ 'margins' => 'Marginesy',
+ 'header' => 'Nagłówek',
+ 'footer' => 'Stopka',
+ 'custom' => 'Dostosowanie',
+ 'invoice_to' => 'Faktura do',
+ 'invoice_no' => 'Faktura Nr',
+ 'quote_no' => 'Oferta Nr',
+ 'recent_payments' => 'Ostatnie płatności',
+ 'outstanding' => 'Zaległości',
+ 'manage_companies' => 'Zarządzaj firmami',
+ 'total_revenue' => 'Całkowity dochód',
+ 'current_user' => 'Aktualny użytkownik',
+ 'new_recurring_invoice' => 'Nowa faktura odnawialna',
+ 'recurring_invoice' => 'Odnawialna faktura',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'It\'s too soon to create the next recurring invoice, it\'s scheduled for :date',
+ 'created_by_invoice' => 'Utworzona przez :invoice',
+ 'primary_user' => 'Główny użytkownik',
+ 'help' => 'Pomoc',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Termin Płatności',
+ 'quote_due_date' => 'Ważny do',
+ 'valid_until' => 'Ważny do',
+ 'reset_terms' => 'Resetuj warunki',
+ 'reset_footer' => 'Resetuj stopkę',
+ 'invoice_sent' => ':count invoice sent',
+ 'invoices_sent' => ':count invoices sent',
+ 'status_draft' => 'Wersja robocza',
+ 'status_sent' => 'Wysłano',
+ 'status_viewed' => 'Wyświetlono',
+ 'status_partial' => 'Zaliczka/Opłacono część',
+ 'status_paid' => 'Zapłacono',
+ 'status_unpaid' => 'Nie zapłacono',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Wyświetl podatki w tej samej linii co produkt/usługa.',
+ 'iframe_url' => 'Strona internetowa',
+ 'iframe_url_help1' => 'Skopiuj następujący kod na swoją stronę.',
+ 'iframe_url_help2' => 'Możesz przetestować tę funkcję klikając \'Zobacz jako odbiorca\' przy fakturze.',
+ 'auto_bill' => 'Płatność Automatyczna',
+ 'military_time' => '24 godzinny czas',
+ 'last_sent' => 'Ostatnio wysłano',
+ 'reminder_emails' => 'Przypomnienia emailowe',
+ 'templates_and_reminders' => 'Szablony i przypomnienia',
+ 'subject' => 'Temat',
+ 'body' => 'Treść',
+ 'first_reminder' => 'Pierwsze przypomnienie',
+ 'second_reminder' => 'Drugie przypomnienie',
+ 'third_reminder' => 'Trzecie przypomnienie',
+ 'num_days_reminder' => 'Dni po terminie płatności',
+ 'reminder_subject' => 'Przypomienie: Faktura :invoice od :account',
+ 'reset' => 'Reset',
+ 'invoice_not_found' => 'Żądana faktura nie jest dostępna',
+ 'referral_program' => 'Program referencyjny',
+ 'referral_code' => 'Referencyjny URL',
+ 'last_sent_on' => 'Ostatnio wysłano: :date',
+ 'page_expire' => 'Ta strona wkrótce wygaśnie, :click_here aby kontynuować pracę',
+ 'upcoming_quotes' => 'Nadchodzące oferty',
+ 'expired_quotes' => 'Wygasłe oferty',
+ 'sign_up_using' => 'Zarejestruj się przy użyciu',
+ 'invalid_credentials' => 'Niepoprawne dane logowania',
+ 'show_all_options' => 'Pokaż wszystkie opcje',
+ 'user_details' => 'Dane użytkownika',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Wyłącz',
+ 'invoice_quote_number' => 'Numery faktur i ofert',
+ 'invoice_charges' => 'Dopłaty do faktur',
+ 'notification_invoice_bounced' => 'Nie byliśmy w stanie dostarczyć faktury :invoice do :contact.',
+ 'notification_invoice_bounced_subject' => 'Brak możliwości dostarczenia faktury :invoice',
+ 'notification_quote_bounced' => 'Nie byliśmy w stanie dostarczyć oferty :invoice do :contact.',
+ 'notification_quote_bounced_subject' => 'Brak możliwości dostarczenia oferty :invoice',
+ 'custom_invoice_link' => 'Dostosowanie linku do faktury',
+ 'total_invoiced' => 'Suma z faktur',
+ 'open_balance' => 'Otwarte saldo',
+ 'verify_email' => 'Proszę kliknąć link aktywacyjny przesłany w wiadomości email, aby zweryfikować swój adres email.',
+ 'basic_settings' => 'Ustawienia podstawowe',
+ 'pro' => 'Pro',
+ 'gateways' => 'Dostawcy płatności',
+ 'next_send_on' => 'Wyślij ponownie: :date',
+ 'no_longer_running' => 'Harmonogram dla tej faktury nie został włączony',
+ 'general_settings' => 'Ustawienia ogólne',
+ 'customize' => 'Dostosuj',
+ 'oneclick_login_help' => 'Connect an account to login without a password',
+ 'referral_code_help' => 'Earn money by sharing our app online',
+ 'enable_with_stripe' => 'Aktywuj | Wymaga Stripe',
+ 'tax_settings' => 'Ustawienia podatków',
+ 'create_tax_rate' => 'Dodaj stawkę podatkową',
+ 'updated_tax_rate' => 'Successfully updated tax rate',
+ 'created_tax_rate' => 'Successfully created tax rate',
+ 'edit_tax_rate' => 'Edytuj stawkę podatkową',
+ 'archive_tax_rate' => 'Archiwizuj stawkę podatkową',
+ 'archived_tax_rate' => 'Zarchiwizowano stawkę podatkową',
+ 'default_tax_rate_id' => 'Domyśłna stawka podatkowa',
+ 'tax_rate' => 'Stawka podatkowa',
+ 'recurring_hour' => 'Okresowa godzina',
+ 'pattern' => 'Wzór',
+ 'pattern_help_title' => 'Wzór pomoc',
+ 'pattern_help_1' => 'Create custom numbers by specifying a pattern',
+ 'pattern_help_2' => 'Dostępne zmienne:',
+ 'pattern_help_3' => 'Na przykład, :example będzie skonwertowane do :value',
+ 'see_options' => 'Zobacz opcje',
+ 'invoice_counter' => 'Licznik faktur',
+ 'quote_counter' => 'Licznik ofert',
+ 'type' => 'Typ',
+ 'activity_1' => ':user stworzył klienta :client',
+ 'activity_2' => ':user zarchiwizował klienta :client',
+ 'activity_3' => ':user usunął klienta :client',
+ 'activity_4' => ':user stworzył fakturę :invoice',
+ 'activity_5' => ':user zaktualizował fakturę :invoice',
+ 'activity_6' => ':user wysłał emailem fakturę :invoice do :contact',
+ 'activity_7' => ':contact wyświetlił fakturę :invoice',
+ 'activity_8' => ':user zarchiwizował fakturę :invoice',
+ 'activity_9' => ':user usunął fakturę :invoice',
+ 'activity_10' => ':contact wprowadził płatność :payment dla :invoice',
+ 'activity_11' => ':user zaktualizował płatność :payment',
+ 'activity_12' => ':user zarchiwizował płatność :payment',
+ 'activity_13' => ':user usunął płatność :payment',
+ 'activity_14' => ':user wprowadził kredyt :credit',
+ 'activity_15' => ':user zaktualizował kredyt :credit ',
+ 'activity_16' => ':user zarchiwizował kredyt :credit',
+ 'activity_17' => ':user usunął kredyt :credit ',
+ 'activity_18' => ':user stworzył ofertę :quote',
+ 'activity_19' => ':user zakatualizował ofertę :quote',
+ 'activity_20' => ':user wysłał emailem ofertę :quote do :contact',
+ 'activity_21' => ':contact wyświetlił ofertę :quote',
+ 'activity_22' => ':user zarchiwizował ofertę :quote',
+ 'activity_23' => ':user usunął ofertę :quote',
+ 'activity_24' => ':user przywrócił ofertę :quote',
+ 'activity_25' => ':user przywrócił fakturę :invoice',
+ 'activity_26' => ':user przywrócił klienta :client',
+ 'activity_27' => ':user przywrócił płatność :payment',
+ 'activity_28' => ':user przywrócił kredyt :credit',
+ 'activity_29' => ':contact zaakceptował ofertę :quote',
+ 'activity_30' => ':user utworzył dostawcę :vendor',
+ 'activity_31' => ':user zarchiwizował dostawcę :vendor',
+ 'activity_32' => ':user usunął dostawcę :vendor',
+ 'activity_33' => ':user przywrócił dostawcę :vendor',
+ 'activity_34' => ':user utworzył wydatek :expense',
+ 'activity_35' => ':user zarchiwizował wydatek :expense',
+ 'activity_36' => ':user usunął wydatek :expense',
+ 'activity_37' => ':user przywrócił wydatek :expense',
+ 'activity_42' => ':user stworzył zadanie :task',
+ 'activity_43' => ':user zaktualizował zadanie :task',
+ 'activity_44' => ':user zarchiwizował zadanie :task',
+ 'activity_45' => ':user usunął zadanie :task',
+ 'activity_46' => ':user przywrócił zadanie :task',
+ 'activity_47' => ':user zaktualizował wydatek :expense',
+ 'payment' => 'Płatność',
+ 'system' => 'System',
+ 'signature' => 'Podpis e-mail',
+ 'default_messages' => 'Domyślne wiadomości',
+ 'quote_terms' => 'Warunki oferty',
+ 'default_quote_terms' => 'Domyślne warunki oferty',
+ 'default_invoice_terms' => 'Domyślne warunki faktury',
+ 'default_invoice_footer' => 'Domyślna stopka faktury',
+ 'quote_footer' => 'Stopka oferty',
+ 'free' => 'Darmowe',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Zastosuj kredyt',
+ 'system_settings' => 'Ustawienia systemowe',
+ 'archive_token' => 'Archiwizuj token',
+ 'archived_token' => 'Token został zarchiwizowany',
+ 'archive_user' => 'Archiwizuj użytkownika',
+ 'archived_user' => 'Użytkownik został zarchiwizowany',
+ 'archive_account_gateway' => 'Zarchiwizuj dostawcę płatności',
+ 'archived_account_gateway' => 'Zarchiwizowano dostawcę płatności',
+ 'archive_recurring_invoice' => 'Zarchiwizuj odnawialną fakturę',
+ 'archived_recurring_invoice' => 'Odnawialna faktura została zarchiwizowana',
+ 'delete_recurring_invoice' => 'Usuń odnawialną fakturę',
+ 'deleted_recurring_invoice' => 'Odnawialna faktura została usunięta.',
+ 'restore_recurring_invoice' => 'Przywróć odnawialną fakturę',
+ 'restored_recurring_invoice' => 'Odnawialna faktura została przywrócona',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Zarchiwizowano',
+ 'untitled_account' => 'Firma bez nazwy',
+ 'before' => 'Przed',
+ 'after' => 'Po',
+ 'reset_terms_help' => 'Przywróć domyślne warunki dla konta',
+ 'reset_footer_help' => 'Przywróć domyślną stopkę dla konta',
+ 'export_data' => 'Eksportuj dane',
+ 'user' => 'Użytkownik',
+ 'country' => 'Kraj',
+ 'include' => 'Dołącz',
+ 'logo_too_large' => 'Your logo is :size, for better PDF performance we suggest uploading an image file less than 200KB',
+ 'import_freshbooks' => 'Import From FreshBooks',
+ 'import_data' => 'Importuj dane',
+ 'source' => 'Źródło',
+ 'csv' => 'CSV',
+ 'client_file' => 'Plik klienta',
+ 'invoice_file' => 'Plik faktury',
+ 'task_file' => 'Plik zadania',
+ 'no_mapper' => 'Brak poprawnego mapowania dla tego pliku',
+ 'invalid_csv_header' => 'Nieprawidłowy nagłówek CSV',
+ 'client_portal' => 'Portal klienta',
+ 'admin' => 'Administrator',
+ 'disabled' => 'Wyłączono',
+ 'show_archived_users' => 'Pokaż zarchiwizowanych użytkowników',
+ 'notes' => 'Notatki',
+ 'invoice_will_create' => 'Faktura zostanie utworzona',
+ 'invoices_will_create' => 'faktury zostaną utworzone',
+ 'failed_to_import' => 'The following records failed to import, they either already exist or are missing required fields.',
+ 'publishable_key' => 'Publishable Key',
+ 'secret_key' => 'Sekretny klucz',
+ 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process',
+ 'email_design' => 'Motyw email',
+ 'due_by' => 'Termin płatności :date',
+ 'enable_email_markup' => 'Aktywuj Markup',
+ 'enable_email_markup_help' => 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
+ 'template_help_title' => 'Pomoc dla Szablonów',
+ 'template_help_1' => 'Dostępne zmienne:',
+ 'email_design_id' => 'Motyw email',
+ 'email_design_help' => 'Spraw by Twoje emaile wyglądały profesjonalnie dzięki użyciu HTML.',
+ 'plain' => 'Zwykły',
+ 'light' => 'Jasny',
+ 'dark' => 'Ciemny',
+ 'industry_help' => 'Informacje używane w celach porównawczych przy obliczaniu statystyk firm podobnych rozmiarów i branż.',
+ 'subdomain_help' => 'Ustaw subdomenę lub wyświetl fakturę na swojej stronie.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the invoice number.',
+ 'quote_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the quote number.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Add a label and value to the company details section of the PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Add a field when creating an invoice and include the charge in the invoice subtotals.',
+ 'token_expired' => 'Validation token was expired. Please try again.',
+ 'invoice_link' => 'Link faktury',
+ 'button_confirmation_message' => 'Kliknij, aby potwierdzić swój adres email.',
+ 'confirm' => 'Potwierdź',
+ 'email_preferences' => 'Preferencje email',
+ 'created_invoices' => 'Successfully created :count invoice(s)',
+ 'next_invoice_number' => 'Następny numer faktury jest :number.',
+ 'next_quote_number' => 'Następny numer oferty jest :number.',
+ 'days_before' => 'dni przed',
+ 'days_after' => 'dni po',
+ 'field_due_date' => 'termin',
+ 'field_invoice_date' => 'data faktury',
+ 'schedule' => 'Zaplanuj',
+ 'email_designs' => 'Motyw email',
+ 'assigned_when_sent' => 'Przypisany po wysłaniu',
+ 'white_label_purchase_link' => 'Purchase a white label license',
+ 'expense' => 'Wydatek',
+ 'expenses' => 'Wydatki',
+ 'new_expense' => 'Dodaj wydatek',
+ 'enter_expense' => 'Dodaj wydatek',
+ 'vendors' => 'Dostawcy',
+ 'new_vendor' => 'Nowy dostawca',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Dostawca',
+ 'edit_vendor' => 'Edytuj dostawcę',
+ 'archive_vendor' => 'Archiwizuj dostawcę',
+ 'delete_vendor' => 'Usuń dostawcę',
+ 'view_vendor' => 'Zobacz dostawcę',
+ 'deleted_expense' => 'Wydatki zostały usunięte',
+ 'archived_expense' => 'Wydatki zostały zarchiwizowane',
+ 'deleted_expenses' => 'Wydatki zostały usunięte',
+ 'archived_expenses' => 'Wydatki zostały zarchiwizowane',
+ 'expense_amount' => 'Wartość wydatków',
+ 'expense_balance' => 'Saldo wydatków',
+ 'expense_date' => 'Data obciążenia',
+ 'expense_should_be_invoiced' => 'Utwórz fakturę dla poniesionego kosztu?',
+ 'public_notes' => 'Notatki publiczne',
+ 'invoice_amount' => 'Kwota faktury',
+ 'exchange_rate' => 'Kurs wymiany',
+ 'yes' => 'Tak',
+ 'no' => 'Nie',
+ 'should_be_invoiced' => 'Utwórz fakturę',
+ 'view_expense' => 'Zobacz wydatek # :expense',
+ 'edit_expense' => 'Edytuj wydatek',
+ 'archive_expense' => 'Archiwizuj wydatek',
+ 'delete_expense' => 'Usuń wydatek',
+ 'view_expense_num' => 'Wydatek # :expense',
+ 'updated_expense' => 'Wydatek został zaktualizowany',
+ 'created_expense' => 'Wydatek został utworzony',
+ 'enter_expense' => 'Dodaj wydatek',
+ 'view' => 'Podgląd',
+ 'restore_expense' => 'Przywróć wydatek',
+ 'invoice_expense' => 'Faktura na wydatek',
+ 'expense_error_multiple_clients' => 'Wydatek nie może należeć do innych klientów',
+ 'expense_error_invoiced' => 'Faktura do wydatku została już utworzona',
+ 'convert_currency' => 'Konwertuj walutę',
+ 'num_days' => 'Liczba dni',
+ 'create_payment_term' => 'Utwórz warunki płatności',
+ 'edit_payment_terms' => 'Edytuj warunki płatności',
+ 'edit_payment_term' => 'Edytuj warunki płatności',
+ 'archive_payment_term' => 'Zarchiwizuj warunki płatności',
+ 'recurring_due_dates' => 'Terminy faktur okresowych',
+ 'recurring_due_date_help' => 'Automatycznie ustawia termin faktury.
+ 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.
+ Na przykład:
+
+ - Dziś jest 15. dzień miesiąca, ustawiony termin faktury to 1. dzień miesiąca. Terminem płatności będzie więc 1. dzień następnego miesiąca
+ - Dziś jest 15. dzień miesiąca, ustawiony termin faktury to ostatni dzień miesiąca. Terminem płatności będzie więc ostatni dzień bieżącego miesiąca.
+
+ - Dziś jest 15. dzień miesiąca, ustawiony termin faktury to 15. dzień miesiąca. Terminem płatności będzie więc 15. dzień następnego miesiąca.
+
+ - Dziś jest piątek, ustawiony termin faktury to "najbliższy piątek". Terminem płatności nie będzie dzień dzisiejszy lecz piątek za tydzień.
+
+
',
+ 'due' => 'Opłata',
+ 'next_due_on' => 'Następna opłata: :date',
+ 'use_client_terms' => 'Użyj warunków klienta',
+ 'day_of_month' => ':ordinal day of month',
+ 'last_day_of_month' => 'Ostatni dzień miesiąca',
+ 'day_of_week_after' => ':ordinal :day after',
+ 'sunday' => 'Niedziela',
+ 'monday' => 'Poniedziałek',
+ 'tuesday' => 'Wtorek',
+ 'wednesday' => 'Środa',
+ 'thursday' => 'Czwartek',
+ 'friday' => 'Piątek',
+ 'saturday' => 'Sobota',
+ 'header_font_id' => 'Czcionka nagłówka',
+ 'body_font_id' => 'Czcionka',
+ 'color_font_help' => 'Notatka: Podstawowe kolory i czcionki są wykorzystywane na portalu klienta i w niestandardowych szablonach email-owych.',
+ 'live_preview' => 'Podgląd',
+ 'invalid_mail_config' => 'E-mail nie został wysłany. Sprawdź czy ustawienia mailowe są poprawne.',
+ 'invoice_message_button' => 'Aby wyświetlić fakturę za :amount, kliknij przycisk poniżej.',
+ 'quote_message_button' => 'Aby wyświetlić swoją ofertę na :amount, kliknij przycisk poniżej.',
+ 'payment_message_button' => 'Dziekuję za wpłatę :amount.',
+ 'payment_type_direct_debit' => 'Polecenie zapłaty',
+ 'bank_accounts' => 'Karty kredytowe i banki',
+ 'add_bank_account' => 'Dodaj konto bankowe',
+ 'setup_account' => 'Ustawienia konta',
+ 'import_expenses' => 'Koszty importu',
+ 'bank_id' => 'Bank',
+ 'integration_type' => 'Rodzaj integracji',
+ 'updated_bank_account' => 'Konto bankowe zostało zaktualizowane',
+ 'edit_bank_account' => 'Edytuj konto bankowe',
+ 'archive_bank_account' => 'Archiwizuj konto bankowe',
+ 'archived_bank_account' => 'Konto bankowe zostało zarchiwizowane.',
+ 'created_bank_account' => 'Konto bankowe zostało utworzone',
+ 'validate_bank_account' => 'Zatwierdź konto bankowe',
+ 'bank_password_help' => 'Notatka: Twoje hasło przesyłane jest bezpiecznie i nie będzie przechowywane na naszych serwerach.',
+ 'bank_password_warning' => 'Ostrzeżenie: Twoje hasło może być wysłane w postaci zwykłego tekstu, rozwaź aktywację protokołu HTTPS.',
+ 'username' => 'Użytkownik',
+ 'account_number' => 'Numer konta',
+ 'account_name' => 'Nazwa konta',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Zatwierdzono',
+ 'quote_settings' => 'Ustawienia oferty',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Utwórz automatycznie fakturę z oferty zaakceptowanej przez klienta.',
+ 'validate' => 'Zatwierdź',
+ 'info' => 'Informacja',
+ 'imported_expenses' => 'Successfully created :count_vendors vendor(s) and :count_expenses expense(s)',
+ 'iframe_url_help3' => 'Note: if you plan on accepting credit cards details we strongly recommend enabling HTTPS on your site.',
+ 'expense_error_multiple_currencies' => 'The expenses can\'t have different currencies.',
+ 'expense_error_mismatch_currencies' => 'The client\'s currency does not match the expense currency.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Nagłówek/Stopka',
+ 'first_page' => 'Pierwsza strona',
+ 'all_pages' => 'Wszystkie strony',
+ 'last_page' => 'Ostatnia strona',
+ 'all_pages_header' => 'Pokaż nagłówek na',
+ 'all_pages_footer' => 'Pokaż stopkę na',
+ 'invoice_currency' => 'Waluta faktury',
+ 'enable_https' => 'Zalecamy korzystanie z protokołu HTTPS do przetwarzania online danych kart kredytowych.',
+ 'quote_issued_to' => 'Oferta wydana do',
+ 'show_currency_code' => 'Kod waluty',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Twoje konto otrzyma bezpłatny dwutygodniowy okres próbny naszego pro planu.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Rozpocznij darmowy okres próbny',
+ 'trial_success' => 'Darmowy okres próbny został włączony',
+ 'overdue' => 'Zaległość',
+
+
+ 'white_label_text' => 'Kup roczną licencję white label za $:price, aby usunąć wzmianki o Invoice Ninja z faktur i portalu klienta.',
+ 'user_email_footer' => 'Aby dostosować ustawienia powiadomień email, zobacz :link',
+ 'reset_password_footer' => 'Prosimy o kontakt, jeśli nie wysłałeś prośby o zresetowanie hasła: :email',
+ 'limit_users' => 'Sorry, this will exceed the limit of :limit users',
+ 'more_designs_self_host_header' => 'Kup 6 szablonów faktur za jedyne $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link to remove the Invoice Ninja logo by joining the Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Kliknij tutaj',
+ 'invitation_status_sent' => 'Wysłane',
+ 'invitation_status_opened' => 'Otwarte',
+ 'invitation_status_viewed' => 'Wyświetlono',
+ 'email_error_inactive_client' => 'E-maile nie mogą być wysyłane do klientów nieaktywnych',
+ 'email_error_inactive_contact' => 'E-mail nie może zostać wysłany do nieaktywnych kontaktów',
+ 'email_error_inactive_invoice' => 'E-mail nie może zostać wysłany do nieaktywnych faktur',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Proszę zarejestrować swoje konto, aby wysyłać e-maile',
+ 'email_error_user_unconfirmed' => 'Proszę potwierdzić swoje konto do wysyłania e-maili',
+ 'email_error_invalid_contact_email' => 'Nieprawidłowy e-mail kontaktowy',
+
+ 'navigation' => 'Nawigacja',
+ 'list_invoices' => 'Lista faktur',
+ 'list_clients' => 'Lista klientów',
+ 'list_quotes' => 'Lista ofert',
+ 'list_tasks' => 'Lista zadań',
+ 'list_expenses' => 'Lista wydatków',
+ 'list_recurring_invoices' => 'Lista faktur okresowych',
+ 'list_payments' => 'Lista wpłat',
+ 'list_credits' => 'Lista kredytów',
+ 'tax_name' => 'Nazwa podatku',
+ 'report_settings' => 'Ustawienia raportu',
+ 'search_hotkey' => 'skrót to /',
+
+ 'new_user' => 'Nowy użytkownik',
+ 'new_product' => 'Nowy produkt',
+ 'new_tax_rate' => 'Nowa stawka podatkowa',
+ 'invoiced_amount' => 'Fakturowana kwota',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Recurring Number',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Faktury chronione hasłem',
+ 'enable_portal_password_help' => 'Zezwala na utworzenie haseł dla każdego kontaktu. Jeśli hasło zostanie ustanowione, użytkownik będzie musiał podać hasło, aby przeglądać faktury.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'Wygeneruje hasło automatycznie, jeśli nie zostanie ono wpisane. Klient otrzyma je razem z pierwszą fakturą.',
+
+ 'expired' => 'Wygasło',
+ 'invalid_card_number' => 'Numer karty kredytowej jest nieprawidłowy.',
+ 'invalid_expiry' => 'Data ważności jest nieprawidłowa.',
+ 'invalid_cvv' => 'Kod CVV jest nieprawidłowy.',
+ 'cost' => 'Koszt',
+ 'create_invoice_for_sample' => 'Notatka: aby zobaczyć podgląd, utwórz fakturę.',
+
+ // User Permissions
+ 'owner' => 'Właściciel',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Zezwól użytkownikowi na zarządzanie użytkownikami, edytowanie ustawień oraz wszystkich danych.',
+ 'user_create_all' => 'Tworzenie klientów, faktury, itp.',
+ 'user_view_all' => 'Przeglądanie danych wszystkich klientów, wszystkich faktury, itp.',
+ 'user_edit_all' => 'Edytowanie wszystkich klientów, wszystkich faktur, itp.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Zaliczka',
+ 'restore_vendor' => 'Przywróć dostawcę',
+ 'restored_vendor' => 'Dostawca został przywrócony',
+ 'restored_expense' => 'Wydatek został przywrócony',
+ 'permissions' => 'Uprawnienia',
+ 'create_all_help' => 'Zezwól użytkownikowi na dodawanie i edytowanie danych',
+ 'view_all_help' => 'Zezwól użytkownikowi na przeglądanie danych innych użytkowników.',
+ 'edit_all_help' => 'Zezwól użytkownikowi na edytowanie danych innych użytkowników.',
+ 'view_payment' => 'Zobacz wpłatę',
+
+ 'january' => 'Styczeń',
+ 'february' => 'Luty',
+ 'march' => 'Marzec',
+ 'april' => 'Kwiecień',
+ 'may' => 'Maj',
+ 'june' => 'Czerwiec',
+ 'july' => 'Lipiec',
+ 'august' => 'Sierpień',
+ 'september' => 'Wrzesień',
+ 'october' => 'Październik',
+ 'november' => 'Listopad',
+ 'december' => 'Grudzień',
+
+ // Documents
+ 'documents_header' => 'Dokumenty:',
+ 'email_documents_header' => 'Dokumenty:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Załączniki',
+ 'invoice_embed_documents_help' => 'Wstaw do faktury załączniki graficzne.',
+ 'document_email_attachment' => 'Załącz dokumenty',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Ściągnij dokumenty (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Upuść pliki lub kliknij, aby przesłać',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'Plik jest zbyt duży ({{filesize}}MiB). Max rozmiar pliku: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'Nie możesz przesłać plików tego typu.',
+ 'dropzone_response_error' => 'Serwer zwraca {{statusCode}} kod.',
+ 'dropzone_cancel_upload' => 'Anuluj przesyłanie',
+ 'dropzone_cancel_upload_confirmation' => 'Czy na pewno chcesz anulować przesyłanie pliku?',
+ 'dropzone_remove_file' => 'Usuń plik',
+ 'documents' => 'Dokumenty',
+ 'document_date' => 'Data dokumentu',
+ 'document_size' => 'Rozmiar',
+
+ 'enable_client_portal' => 'Portal Klienta',
+ 'enable_client_portal_help' => 'Pokaż/ukryj portal klienta.',
+ 'enable_client_portal_dashboard' => 'Pulpit',
+ 'enable_client_portal_dashboard_help' => 'Pokaż/ukryj pulpit w panelu klienta.',
+
+ // Plans
+ 'account_management' => 'Zarządzanie kontem',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Aktualizuj',
+ 'plan_change' => 'Zmień plan',
+ 'pending_change_to' => 'Zmienia się na',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Anuluj zmianę',
+ 'plan' => 'Plan',
+ 'expires' => 'Wygasa',
+ 'renews' => 'Odnawia',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Nigdy',
+ 'plan_free' => 'Darmowy',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Miesięcznie',
+ 'plan_term_yearly' => 'Rocznie',
+ 'plan_term_month' => 'Miesiąc',
+ 'plan_term_year' => 'Rok',
+ 'plan_price_monthly' => '$:price/miesiąc',
+ 'plan_price_yearly' => '$:price/rok',
+ 'updated_plan' => 'Ustawienia planu zaktualizowane',
+ 'plan_paid' => 'Termin rozpoczął',
+ 'plan_started' => 'Plan rozpoczął',
+ 'plan_expires' => 'Plan Wygasa',
+
+ 'white_label_button' => 'Biała etykieta',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Plan Enterprise',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Kredyt',
+ 'plan_credit_description' => 'Kredyt za niewykorzystany czas',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'Zwrot został wystawiony.',
+
+ 'live_preview' => 'Podgląd',
+ 'page_size' => 'Rozmiar strony',
+ 'live_preview_disabled' => 'Podgląd obrazu na żywo został wyłączony w celu wsparcia wybranej czcionki',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'Plan Enterprise dodaje wsparcie dla wielu użytkowników oraz obsługę załączników. Zobacz :link, by poznać wszystkie funkcjonalności.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Zwrot płatności',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Zwrot',
+ 'are_you_sure_refund' => 'Zwrot wybranych płatności',
+ 'status_pending' => 'Oczekuję',
+ 'status_completed' => 'Zakończone',
+ 'status_failed' => 'Niepowodzenie',
+ 'status_partially_refunded' => 'Częściowo zwrócone',
+ 'status_partially_refunded_amount' => 'zwrócone',
+ 'status_refunded' => 'Zwrócone',
+ 'status_voided' => 'Anulowane',
+ 'refunded_payment' => 'Zwrócono płatność',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Wyd: :wygasa',
+
+ 'card_creditcardother' => 'Nieznany',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Inny dostawca płatności kartami debetowymi został już skonfigurowany.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Numer klienta',
+ 'secret' => 'Tajny',
+ 'public_key' => 'Klucz publiczny',
+ 'plaid_optional' => '(opcjonalne)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Inni dostawcy',
+ 'country_not_supported' => 'Dany kraj nie jest obsługiwany.',
+ 'invalid_routing_number' => 'Numer rozliczeniowy banku jest niepoprawny.',
+ 'invalid_account_number' => 'Numer konta jest nieprawidłowy',
+ 'account_number_mismatch' => 'Numery konta nie pasują.',
+ 'missing_account_holder_type' => 'Proszę wybrać osobiste lub firmowe konto.',
+ 'missing_account_holder_name' => 'Wprowadź nazwę właściciela konta',
+ 'routing_number' => 'Numer rozliczeniowy banku',
+ 'confirm_account_number' => 'Potwierdź numer konta',
+ 'individual_account' => 'Konto osobiste',
+ 'company_account' => 'Konto firmowe',
+ 'account_holder_name' => 'Nazwa właściciela konta',
+ 'add_account' => 'Dodaj konto',
+ 'payment_methods' => 'Formy płatności',
+ 'complete_verification' => 'Dokończ weryfikację',
+ 'verification_amount1' => '1 Kwota',
+ 'verification_amount2' => '2 Kwota',
+ 'payment_method_verified' => 'Veryfikacja zakończona pomyślnie',
+ 'verification_failed' => 'Nieudana weryfikacja',
+ 'remove_payment_method' => 'Usuń formę płatności',
+ 'confirm_remove_payment_method' => 'Czy na pewno chcesz usunąć tą formę płatności?',
+ 'remove' => 'Usuń',
+ 'payment_method_removed' => 'Forma płatności usunięta',
+ 'bank_account_verification_help' => 'Wykonaliśmy dwa przelewy na Twoje konto z tytułem "Verification" lub "Weryfikacja". Środki powinny pojawić się na Twoim koncie w ciągu 1-2 dni roboczy. Wprowadź poniżej ich kwoty.',
+ 'bank_account_verification_next_steps' => 'Wykonaliśmy dwa przelewy na Twoje konto z tytułem "Verification" lub "Weryfikacja". Środki powinny pojawić się na Twoim koncie w ciągu 1-2 dni roboczy.
+Gdy przelewy zostaną zaksięgowane na Twoim koncie, wróć do tej strony i kliknij "Dokończ weryfikację" obok właściwego konta.',
+ 'unknown_bank' => 'Nieznany bank',
+ 'ach_verification_delay_help' => 'Konto będzie aktywne, po dokończeniu weryfikacji. Weryfikacja trwa 1-2 dni robocze.',
+ 'add_credit_card' => 'Dodaj kartę kredytową',
+ 'payment_method_added' => 'Dodano formę płatności',
+ 'use_for_auto_bill' => 'Użyj do płatności automatycznych',
+ 'used_for_auto_bill' => 'Metoda płatności automatycznych',
+ 'payment_method_set_as_default' => 'Ustaw metodą płatności automatycznych.',
+ 'activity_41' => 'płatność :payment_amount (:payment) nieudana',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'Musisz :link.',
+ 'stripe_webhook_help_link_text' => 'dodaj ten URL jako endpoint w Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'Wystąpił problem w trakcie dodawania metody płatności. Spróbuj ponownie później.',
+ 'notification_invoice_payment_failed_subject' => 'Płatność dla faktury :invoice nie powiodła się',
+ 'notification_invoice_payment_failed' => 'Płatność wykonana przez klienta :client za fakturę :invoice zakończona niepowodzeniem. Płatność została oznaczona jako nieudana, a środki :amount zostały dopisane do salda klienta.',
+ 'link_with_plaid' => 'Połącz konto z Plaid',
+ 'link_manually' => 'Połącz ręcznie',
+ 'secured_by_plaid' => 'Zabezpieczane przez Plaid',
+ 'plaid_linked_status' => 'Twoje konto bankowe w :bank',
+ 'add_payment_method' => 'Dodaj formę płatności',
+ 'account_holder_type' => 'Typ konta właściciela',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'Musisz wyrazić zgodę na transakcje ACH.',
+ 'off' => 'Wyłaczono',
+ 'opt_in' => 'Zgoda',
+ 'opt_out' => 'Rezygnacja',
+ 'always' => 'Zawsze',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Zarządzaj automatycznymi płatnościami',
+ 'enabled' => 'Aktywny',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Aktywuj płatności PayPal za pośrednictwem BrainTree',
+ 'braintree_paypal_disabled_help' => 'PayPal jako dostawca przetwarza płatności z PayPal',
+ 'braintree_paypal_help' => 'Musisz także :link.',
+ 'braintree_paypal_help_link_text' => 'połącz PayPal ze swoim kontem BrainTree',
+ 'token_billing_braintree_paypal' => 'Zapisz dane płatności',
+ 'add_paypal_account' => 'Dodaj konto PayPal',
+
+
+ 'no_payment_method_specified' => 'Nie wybrano formy płatności',
+ 'chart_type' => 'Typ wykresu',
+ 'format' => 'Format',
+ 'import_ofx' => 'Importuj OFX',
+ 'ofx_file' => 'Plik OFX',
+ 'ofx_parse_failed' => 'Przetwarzania pliku OFX nieudane',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Zarejestruj się w WePay',
+ 'use_another_provider' => 'Użyj innego dostawcy',
+ 'company_name' => 'Nazwa firmy',
+ 'wepay_company_name_help' => 'To pojawi się na wyciągu z karty kredytowej klienta.',
+ 'wepay_description_help' => 'Cel konta',
+ 'wepay_tos_agree' => 'Zgadzam się z :link',
+ 'wepay_tos_link_text' => 'Warunki WePay',
+ 'resend_confirmation_email' => 'Wyślij ponownie email potwierdzający',
+ 'manage_account' => 'Zarządzanie kontem',
+ 'action_required' => 'Wymagane działanie',
+ 'finish_setup' => 'Zakończ konfigurację',
+ 'created_wepay_confirmation_required' => 'Proszę sprawdź swoją skrzynkę email i potwierdź adres email dla WePay.',
+ 'switch_to_wepay' => 'Przełącz na WePay',
+ 'switch' => 'Zmień',
+ 'restore_account_gateway' => 'Przywróć dostawcę płątności',
+ 'restored_account_gateway' => 'Przywracanie dostawcy płatności zakończone powodzeniem',
+ 'united_states' => 'Stany Zjednoczone',
+ 'canada' => 'Kanada',
+ 'accept_debit_cards' => 'Akceptuj karty debetowe',
+ 'debit_cards' => 'Karty debetowe',
+
+ 'warn_start_date_changed' => 'Nowa faktura zostanie wysłana w nowej dacie początkowej.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Pierwotna data początkowa',
+ 'new_start_date' => 'Nowa data początkowa',
+ 'security' => 'Bezpieczeństwo',
+ 'see_whats_new' => 'Zobacz co nowego w v:version',
+ 'wait_for_upload' => 'Poczekaj na zakończenie przesyłania dokumentu.',
+ 'upgrade_for_permissions' => 'Przejdź na plan Enterprise, aby zarządzać uprawnieniami.',
+ 'enable_second_tax_rate' => 'Określ drugą stawkę podatkową',
+ 'payment_file' => 'Plik płatności',
+ 'expense_file' => 'Plik wydatków',
+ 'product_file' => 'Plik produktu',
+ 'import_products' => 'Importuj produkty',
+ 'products_will_create' => 'produktów zostanie utworzonych',
+ 'product_key' => 'Produkt',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Użyj formatu JSON, jeśli planujesz zaimportować dane do Invoice Ninja.
Taki plik zawiera dane klientów, produkty, faktury, oferty i płatności.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'Plik JSON',
+
+ 'view_dashboard' => 'Zobacz Pulpit',
+ 'client_session_expired' => 'Sesja wygasła',
+ 'client_session_expired_message' => 'Twoja sesja wygasła. Proszę kliknij ponownie w link, który znajduje się w Twojej skrzynce e-mail.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'numer konta',
+ 'auto_bill_payment_method_credit_card' => 'karta kredytowa',
+ 'auto_bill_payment_method_paypal' => 'Konto PayPal',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Ustawienia Płatności',
+
+ 'on_send_date' => 'W datę wysyłki',
+ 'on_due_date' => 'W termin płatności',
+ 'auto_bill_ach_date_help' => 'Obciążania typu ACH zawsze pobierane będą w ostatnim dniu terminu płatności.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Konto bankowe',
+ 'payment_processed_through_wepay' => 'Obciążenia typu ACH będą przetwarzane przez WePay.',
+ 'wepay_payment_tos_agree' => 'Zgadzam się z warunkami WePay :terms i :privacy_policy.',
+ 'privacy_policy' => 'Polityka prywatności',
+ 'wepay_payment_tos_agree_required' => 'Musisz zaakceptować warunki świadczenia usług oraz politykę prywatności WePay.',
+ 'ach_email_prompt' => 'Proszę wprowadź swój adres email:',
+ 'verification_pending' => 'Oczekiwanie na weryfikację',
+
+ 'update_font_cache' => 'Proszę odświeżyć stronę, aby zaktualizować cache fontów.',
+ 'more_options' => 'Więcej opcji',
+ 'credit_card' => 'Karta Kredytowa',
+ 'bank_transfer' => 'Przelew bankowy',
+ 'no_transaction_reference' => 'Nie otrzymaliśmy numeru referencyjnego płatności od dostawcy płatności.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'Ta faktura zostanie automatycznie opłacona w ostatnim dniu terminu zapłaty.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Dodano :date',
+ 'failed_remove_payment_method' => 'Nie udało się usunąć metody płatności',
+ 'gateway_exists' => 'Ten dostawca płatności już istnieje',
+ 'manual_entry' => 'Ręczny wpis',
+ 'start_of_week' => 'Pierwszy dzień tygodnia',
+
+ // Frequencies
+ 'freq_inactive' => 'Nieaktywne',
+ 'freq_daily' => 'Codziennie',
+ 'freq_weekly' => 'Co tydzień',
+ 'freq_biweekly' => 'Co dwa tygodnie',
+ 'freq_two_weeks' => 'Co dwa tygodnie',
+ 'freq_four_weeks' => 'Co cztery tygodnie',
+ 'freq_monthly' => 'Co miesiąc',
+ 'freq_three_months' => 'Co trzy miesiące',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Co sześć miesięcy',
+ 'freq_annually' => 'Co rok',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Zastosuj kredyt',
+ 'payment_type_Bank Transfer' => 'Przelew bankowy',
+ 'payment_type_Cash' => 'Gotówka',
+ 'payment_type_Debit' => 'Debet',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Inna karta kredytowa',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Czek',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Księgowość i prawo',
+ 'industry_Advertising' => 'Reklama',
+ 'industry_Aerospace' => 'Przemysł kosmiczny',
+ 'industry_Agriculture' => 'Rolnictwo',
+ 'industry_Automotive' => 'Motoryzacja',
+ 'industry_Banking & Finance' => 'Bankowość i finanse',
+ 'industry_Biotechnology' => 'Biotechnologie',
+ 'industry_Broadcasting' => 'Nadawanie',
+ 'industry_Business Services' => 'Usługi dla biznesu',
+ 'industry_Commodities & Chemicals' => 'Towary i chemikalia',
+ 'industry_Communications' => 'Komunikacja',
+ 'industry_Computers & Hightech' => 'Komputery i nowoczesne technologie',
+ 'industry_Defense' => 'Obrona',
+ 'industry_Energy' => 'Branża energetyczna',
+ 'industry_Entertainment' => 'Rozrywka',
+ 'industry_Government' => 'Jednostki państwowe i samorządowe',
+ 'industry_Healthcare & Life Sciences' => 'Ochrona zdrowia i nauki przyrodnicze',
+ 'industry_Insurance' => 'Ubezpieczenia',
+ 'industry_Manufacturing' => 'Przemysł wytwórczy',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit i szkolnictwo wyższe',
+ 'industry_Pharmaceuticals' => 'Farmacja',
+ 'industry_Professional Services & Consulting' => 'Usługi doradcze i konsulting',
+ 'industry_Real Estate' => 'Nieruchomości',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Sprzedaż i hurtownie',
+ 'industry_Sports' => 'Sporty',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Podróże i dobra luksusowe',
+ 'industry_Other' => 'Inne',
+ 'industry_Photography' => 'Fotografia',
+
+ // Countries
+ 'country_Afghanistan' => 'Afganistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarktyda',
+ 'country_Algeria' => 'Algieria',
+ 'country_American Samoa' => 'Samoa Amerykańskie',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua i Barbuda',
+ 'country_Azerbaijan' => 'Azerbejdżan',
+ 'country_Argentina' => 'Argentyna',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamy',
+ 'country_Bahrain' => 'Bahrajn',
+ 'country_Bangladesh' => 'Bangladesz',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgia',
+ 'country_Bermuda' => 'Bermudy',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Boliwia',
+ 'country_Bosnia and Herzegovina' => 'Bośnia i Hercegowina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Wyspa Bouveta',
+ 'country_Brazil' => 'Brazylia',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'Brytyjskie Terytorium Oceanu Indyjskiego',
+ 'country_Solomon Islands' => 'Wyspy Salomona',
+ 'country_Virgin Islands, British' => 'Brytyjskie Wyspy Dziewicze',
+ 'country_Brunei Darussalam' => 'Brunei',
+ 'country_Bulgaria' => 'Bułgaria',
+ 'country_Myanmar' => 'Mjanma/Birma',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Białoruś',
+ 'country_Cambodia' => 'Kambodża',
+ 'country_Cameroon' => 'Kamerun',
+ 'country_Canada' => 'Kanada',
+ 'country_Cape Verde' => 'Republika Zielonego Przylądka',
+ 'country_Cayman Islands' => 'Kajmany',
+ 'country_Central African Republic' => 'Republika Środkowoafrykańska',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Czad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'Chiny',
+ 'country_Taiwan, Province of China' => 'Tajwan',
+ 'country_Christmas Island' => 'Wyspa Bożego Narodzenia',
+ 'country_Cocos (Keeling) Islands' => 'Wyspy Kokosowe',
+ 'country_Colombia' => 'Kolumbia',
+ 'country_Comoros' => 'Komory',
+ 'country_Mayotte' => 'Majotta',
+ 'country_Congo' => 'Kongo',
+ 'country_Congo, the Democratic Republic of the' => 'Kongo',
+ 'country_Cook Islands' => 'Wyspy Cooka',
+ 'country_Costa Rica' => 'Kostaryka',
+ 'country_Croatia' => 'Chorwacja',
+ 'country_Cuba' => 'Kuba',
+ 'country_Cyprus' => 'Cypr',
+ 'country_Czech Republic' => 'Czechy',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Dania',
+ 'country_Dominica' => 'Dominika',
+ 'country_Dominican Republic' => 'Dominikana',
+ 'country_Ecuador' => 'Ekwador',
+ 'country_El Salvador' => 'Salwador',
+ 'country_Equatorial Guinea' => 'Gwinea Równikowa',
+ 'country_Ethiopia' => 'Etiopia',
+ 'country_Eritrea' => 'Erytrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Wyspy Owcze',
+ 'country_Falkland Islands (Malvinas)' => 'Falklandy (Malwiny)',
+ 'country_South Georgia and the South Sandwich Islands' => 'Georgia Południowa i Sandwich Południowy',
+ 'country_Fiji' => 'Fidżi',
+ 'country_Finland' => 'Finlandia',
+ 'country_Åland Islands' => 'Wyspy Alandzkie',
+ 'country_France' => 'Francja',
+ 'country_French Guiana' => 'Gujana Francuska',
+ 'country_French Polynesia' => 'Polinezja Francuska',
+ 'country_French Southern Territories' => 'Francuskie Terytoria Południowe i Antarktyczne',
+ 'country_Djibouti' => 'Dżibuti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Gruzja',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestyna',
+ 'country_Germany' => 'Niemcy',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Grecja',
+ 'country_Greenland' => 'Grenlandia',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Gwadelupa',
+ 'country_Guam' => 'Guam',
+ 'country_Guatemala' => 'Gwatemala',
+ 'country_Guinea' => 'Gwinea',
+ 'country_Guyana' => 'Gujana',
+ 'country_Haiti' => 'Haiti',
+ 'country_Heard Island and McDonald Islands' => 'Wyspy Heard i McDonalda',
+ 'country_Holy See (Vatican City State)' => 'Stolica Apostolska (miasto Watykan)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Węgry',
+ 'country_Iceland' => 'Islandia',
+ 'country_India' => 'Indie',
+ 'country_Indonesia' => 'Indonezja ',
+ 'country_Iran, Islamic Republic of' => 'Iran',
+ 'country_Iraq' => 'Irak',
+ 'country_Ireland' => 'Irlandia',
+ 'country_Israel' => 'Izrael',
+ 'country_Italy' => 'Włochy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamajka',
+ 'country_Japan' => 'Japonia',
+ 'country_Kazakhstan' => 'Kazachstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenia',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea Północna',
+ 'country_Korea, Republic of' => 'Korea Południowa',
+ 'country_Kuwait' => 'Kuwejt',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Liban',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Łotwa',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libia',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Litwa',
+ 'country_Luxembourg' => 'Luksemburg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagaskar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauretania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Meksyk',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'Nowa Zelandia',
+ 'country_Nicaragua' => 'Nikaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norwegia',
+ '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' => 'Wyspy Marshalla',
+ 'country_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paragwaj',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Filipiny',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Polska',
+ 'country_Portugal' => 'Portugalia',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Katar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Rumunia',
+ 'country_Russian Federation' => 'Rosja',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Arabia Saudyjska',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seszele',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapur',
+ 'country_Slovakia' => 'Słowacja',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Słowenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Hiszpania',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Szwecja',
+ 'country_Switzerland' => 'Szwajcaria',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tadżikistan',
+ 'country_Thailand' => 'Tajlandia',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunezja',
+ 'country_Turkey' => 'Turcja',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraina',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia',
+ 'country_Egypt' => 'Egipt',
+ 'country_United Kingdom' => 'Wielka Brytania',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Wyspa Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania',
+ 'country_United States' => 'Stany Zjednoczone',
+ 'country_Virgin Islands, U.S.' => 'Wyspy Dziewicze Stanów Zjednoczonych',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Urugwaj',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Wenezuela',
+ 'country_Wallis and Futuna' => 'Wallis i Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Jemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazylijska odmiana języka portugalskiego',
+ 'lang_Croatian' => 'Chorwacki',
+ 'lang_Czech' => 'Czeski',
+ 'lang_Danish' => 'Duński',
+ 'lang_Dutch' => 'Holenderski',
+ 'lang_English' => 'Angielski',
+ 'lang_French' => 'Francuski',
+ 'lang_French - Canada' => 'Francuski kanadyjski',
+ 'lang_German' => 'Niemiecki',
+ 'lang_Italian' => 'Włoski',
+ 'lang_Japanese' => 'Japoński',
+ 'lang_Lithuanian' => 'Litewski',
+ 'lang_Norwegian' => 'Norweski',
+ 'lang_Polish' => 'Polski',
+ 'lang_Spanish' => 'Hiszpański',
+ 'lang_Spanish - Spain' => 'Hiszpański (Hiszpania)',
+ 'lang_Swedish' => 'Szwedzki',
+ 'lang_Albanian' => 'Albański',
+ 'lang_Greek' => 'Grecki',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Księgowość i prawo',
+ 'industry_Advertising' => 'Reklama',
+ 'industry_Aerospace' => 'Przemysł kosmiczny',
+ 'industry_Agriculture' => 'Rolnictwo',
+ 'industry_Automotive' => 'Motoryzacja',
+ 'industry_Banking & Finance' => 'Bankowość i finanse',
+ 'industry_Biotechnology' => 'Biotechnologie',
+ 'industry_Broadcasting' => 'Nadawanie',
+ 'industry_Business Services' => 'Usługi dla biznesu',
+ 'industry_Commodities & Chemicals' => 'Towary i chemikalia',
+ 'industry_Communications' => 'Komunikacja',
+ 'industry_Computers & Hightech' => 'Komputery i nowoczesne technologie',
+ 'industry_Defense' => 'Obrona',
+ 'industry_Energy' => 'Branża energetyczna',
+ 'industry_Entertainment' => 'Rozrywka',
+ 'industry_Government' => 'Jednostki państwowe i samorządowe',
+ 'industry_Healthcare & Life Sciences' => 'Ochrona zdrowia i nauki przyrodnicze',
+ 'industry_Insurance' => 'Ubezpieczenia',
+ 'industry_Manufacturing' => 'Przemysł wytwórczy',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit i szkolnictwo wyższe',
+ 'industry_Pharmaceuticals' => 'Farmacja',
+ 'industry_Professional Services & Consulting' => 'Usługi doradcze i konsulting',
+ 'industry_Real Estate' => 'Nieruchomości',
+ 'industry_Retail & Wholesale' => 'Sprzedaż i hurtownie',
+ 'industry_Sports' => 'Sporty',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Podróże i dobra luksusowe',
+ 'industry_Other' => 'Inne',
+ 'industry_Photography' =>'Fotografia',
+
+ 'view_client_portal' => 'Zobacz portal klienta',
+ 'view_portal' => 'Zobacz portal',
+ 'vendor_contacts' => 'Dane kontaktowe dostawców',
+ 'all' => 'Wszystko',
+ 'selected' => 'Wybranych',
+ 'category' => 'Kategoria',
+ 'categories' => 'Kategorie',
+ 'new_expense_category' => 'Nowa kategoria wydatków',
+ 'edit_category' => 'Edycja kategorii',
+ 'archive_expense_category' => 'Zarchiwizuj kategorię',
+ 'expense_categories' => 'Kategorie wydatków',
+ 'list_expense_categories' => 'Lista kategorii wydatków',
+ 'updated_expense_category' => 'Kategoria wydatków została zaktualizowana',
+ 'created_expense_category' => 'Kategoria wydatków została utworzona',
+ 'archived_expense_category' => 'Kategoria wydatków została zarchiwizowana',
+ 'archived_expense_categories' => 'Zarchiwizowana :count kategorii wydatków',
+ 'restore_expense_category' => 'Przywróć kategorię wydatków',
+ 'restored_expense_category' => 'Przywrócono kategorię wydatków',
+ 'apply_taxes' => 'Zastosuj podatki',
+ 'min_to_max_users' => 'od :min do :max użytkowników',
+ 'max_users_reached' => 'Maksymalna liczba użytkowników została osiągnięta.',
+ 'buy_now_buttons' => 'Przyciski Kup Teraz',
+ 'landing_page' => 'Strona początkowa',
+ 'payment_type' => 'Typ płatności',
+ 'form' => 'Formularz',
+ 'link' => 'Link',
+ 'fields' => 'Pola',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Uwaga: klient i faktury zostaną stworzona nawet jeśli transakcja nie zostanie dokończona.',
+ 'buy_now_buttons_disabled' => 'Ta funkcja wymaga utworzonego produktu i skonfigurowanego dostawcy płatności.',
+ 'enable_buy_now_buttons_help' => 'Włącz wsparcie dla przycisków Kup Teraz.',
+ 'changes_take_effect_immediately' => 'Uwaga: te zmiany widoczne są od razu.',
+ 'wepay_account_description' => 'Dostawca płatności dla Invoice Ninja',
+ 'payment_error_code' => 'Wystąpił błąd w trakcie przetwarzania twojej płatności [:code]. Proszę spróbować ponownie później.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Dane powinny być importowane w partiach po :count linii lub mniej',
+ 'error_title' => 'Coś poszło nie tak',
+ 'error_contact_text' => 'Jeśli chciałbyś nam pomóc, skontaktuj się z nami: :mailaddress',
+ 'no_undo' => 'Ostrzeżenie: ta operacja nie może być cofnięta.',
+ 'no_contact_selected' => 'Wybierz kontakt',
+ 'no_client_selected' => 'Wybierz klienta',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type pliku',
+ 'invoice_for_client' => 'Faktura :invoice dla :client',
+ 'intent_not_found' => 'Przepraszam, ale nie jestem pewny o co pytasz.',
+ 'intent_not_supported' => 'Przepraszam, nie mogę tego zrobić.',
+ 'client_not_found' => 'Nie byłem w stanie znaleźć klienta',
+ 'not_allowed' => 'Przepraszam, nie masz wymaganych uprawnień',
+ 'bot_emailed_invoice' => 'Twoja faktura została wysłana.',
+ 'bot_emailed_notify_viewed' => 'Wyślę email po wyświetleniu tego.',
+ 'bot_emailed_notify_paid' => 'Wyślę email gdy zostanie to opłacone.',
+ 'add_product_to_invoice' => 'Dodaj 1 :product',
+ 'not_authorized' => 'Nie jesteś autoryzowany',
+ '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_code' => 'Dziękuję! Wysłaliśmy email z kodem bezpieczeństwa.',
+ 'bot_welcome' => 'Gotowe, twoje konto zostało zweryfikowane.
',
+ 'email_not_found' => 'Nie znalazłem konta dla adres email: email',
+ 'invalid_code' => 'Kod nie jest poprawny',
+ 'security_code_email_subject' => 'Kod bezpieczeństwa dla Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Uwaga: to wygaśnie za 10 minut.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'Lista produktów',
+
+ 'include_item_taxes_inline' => 'Wyświetlaj sumę podatków w podsumowaniu',
+ 'created_quotes' => 'Utworzono :count ofert(y).',
+ 'limited_gateways' => 'Uwaga: wspieramy tylko jednego dostawcę płatności kartami kredytowany na firmę',
+
+ 'warning' => 'Ostrzeżenie',
+ 'self-update' => 'Aktualizacja',
+ 'update_invoiceninja_title' => 'Zaktualizuj Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Przed przejściem na nową wersję Invoice Ninja stwórz kopię bezpieczeństwa swojej bazy danych i plików.',
+ 'update_invoiceninja_available' => 'Nowa wersja Invoice Ninja jest dostępna.',
+ 'update_invoiceninja_unavailable' => 'Nowa wersja Invoice Ninja nie jest dostępna.',
+ '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_update_start' => 'Aktualizuj teraz',
+ 'update_invoiceninja_download_start' => 'Pobierz :version',
+ 'create_new' => 'Dodaj nowy/nową',
+
+ 'toggle_navigation' => 'Przełącz nawigację',
+ 'toggle_history' => 'Przełącz historię',
+ 'unassigned' => 'Nieprzypisano',
+ 'task' => 'Zadanie',
+ 'contact_name' => 'Nazwa kontaktu',
+ 'city_state_postal' => 'Miasto/województwo/kod pocztowy',
+ 'custom_field' => 'Dostosowane pole',
+ 'account_fields' => 'Pola firmy',
+ 'facebook_and_twitter' => 'Facebook i Twitter',
+ 'facebook_and_twitter_help' => 'Śledź nas aby pomóc wspierać nas projekt',
+ '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.',
+ 'unnamed_client' => 'Klient bez nazwy',
+
+ 'day' => 'Dzień',
+ 'week' => 'Tydzień',
+ 'month' => 'Miesiąc',
+ 'inactive_logout' => 'Nastąpiło wylogowaniu z powodu braku aktywności',
+ 'reports' => 'Raporty',
+ 'total_profit' => 'Całkowity zysk',
+ 'total_expenses' => 'Całkowite wydatki',
+ 'quote_to' => 'Oferta do',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'Bez limitu',
+ 'set_limits' => 'Ustawi limity dla :gateway_type',
+ 'enable_min' => 'Aktywuj min',
+ 'enable_max' => 'Aktywuj max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'Ta faktura nie spełnia limitów dla wybranego rodzaju płatności.',
+
+ 'date_range' => 'Zakres czasowy',
+ 'raw' => 'Nieprzetworzony',
+ 'raw_html' => 'Nieprzetworzony kod HTML',
+ 'update' => 'Aktualizuj',
+ 'invoice_fields_help' => 'Przenoś pola, aby zmienić ich kolejność i położenie',
+ 'new_category' => 'Nowa kategoria',
+ 'restore_product' => 'Przywróć produkt',
+ 'blank' => 'Puste',
+ 'invoice_save_error' => 'Wystąpił błąd w trakcie zapisywania faktury',
+ 'enable_recurring' => 'Aktywuj okresowość',
+ 'disable_recurring' => 'Wyłącz okresowość',
+ 'text' => 'Tekst',
+ 'expense_will_create' => 'wydatek zostanie utworzony',
+ 'expenses_will_create' => 'wydatki zostaną utworzone',
+ 'created_expenses' => 'Utworzono :count wydatek(ów)',
+
+ 'translate_app' => 'Możesz pomóc nam w tłumaczeniu :link',
+ 'expense_category' => 'Kategoria wydatku',
+
+ 'go_ninja_pro' => 'Wybierz Ninja Pro!',
+ 'go_enterprise' => 'Wybierz Enterprise!',
+ 'upgrade_for_features' => 'Przejdź na wyższą wersję dla wielu nowych funkcjonalności',
+ 'pay_annually_discount' => 'Zapłać rocznie za 10 miesięcy + 2 miesiące gratis!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'TwojaNazwa.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Dostosuj faktury do swoich potrzeb!',
+ 'enterprise_upgrade_feature1' => 'Ustaw prawa dostępu dla wielu użytkowników',
+ 'enterprise_upgrade_feature2' => 'Dołączaj dodatkowe pliki do faktur i wydatków',
+ 'much_more' => 'Znacznie więcej!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Kod',
+
+ 'buy_license' => 'Kup licencję',
+ 'apply_license' => 'Zastosuj licencję',
+ 'submit' => 'Wyślij',
+ 'white_label_license_key' => 'Klucz licencyjny',
+ 'invalid_white_label_license' => 'Licencja White Label nie jest ważna',
+ 'created_by' => 'Utworzono przez :name',
+ 'modules' => 'Moduły',
+ 'financial_year_start' => 'Pierwszy miesiąc roku',
+ 'authentication' => 'Autentykacja',
+ 'checkbox' => 'Przycisk wyboru',
+ 'invoice_signature' => 'Podpis',
+ 'show_accept_invoice_terms' => 'Przycisk wyboru do warunków faktury',
+ 'show_accept_invoice_terms_help' => 'Wymagaj od klienta potwierdzenia, że akceptuje warunki faktury.',
+ 'show_accept_quote_terms' => 'Przycisk wyboru do warunków oferty',
+ 'show_accept_quote_terms_help' => 'Wymagaj od klienta potwierdzenia, że akceptuje warunki oferty.',
+ 'require_invoice_signature' => 'Podpis na fakurze',
+ 'require_invoice_signature_help' => 'Wymagaj od klienta podpisania faktury',
+ 'require_quote_signature' => 'Podpis na ofercie',
+ 'require_quote_signature_help' => 'Wymagaj od klienta jego podpisu.',
+ 'i_agree' => 'Zgadzam się z warunkami',
+ 'sign_here' => 'Proszę podpisać tutaj:',
+ 'authorization' => 'Autoryzacja',
+ 'signed' => 'Podpisano',
+
+ // BlueVine
+ 'bluevine_promo' => 'Otrzymaj elastyczne biznesowe linie kredytowe oraz obsługę faktur dzięki BlueVine.',
+ 'bluevine_modal_label' => 'Zarejestruj się w BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Stwórz konto',
+ 'quote_types' => 'Otrzymaj ofertę dla',
+ 'invoice_factoring' => 'Generowanie faktur',
+ 'line_of_credit' => 'Linia kredytowa',
+ 'fico_score' => 'Twoja ocena FICO',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Średnie saldo bankowe',
+ 'annual_revenue' => 'Roczny przychód',
+ 'desired_credit_limit_factoring' => 'Wybrany limit generowania faktur',
+ 'desired_credit_limit_loc' => 'Wybrany limit linii kredytowej',
+ 'desired_credit_limit' => 'Wybrany limit kredytowy',
+ 'bluevine_credit_line_type_required' => 'Musisz wybrać przynajmniej jedną opcję',
+ 'bluevine_field_required' => 'To pole jest wymagane',
+ 'bluevine_unexpected_error' => 'Wystąpił nieznany błąd.',
+ 'bluevine_no_conditional_offer' => 'Do otrzymania oferty wymagane jest więcej informacji. Kliknij "kontynuuj" poniżej.',
+ 'bluevine_invoice_factoring' => 'Generowanie faktur',
+ 'bluevine_conditional_offer' => 'Oferta pod określonymi warunkami',
+ 'bluevine_credit_line_amount' => 'Linia kredytowa',
+ 'bluevine_advance_rate' => 'Zaawansowany przelicznik',
+ 'bluevine_weekly_discount_rate' => 'Tygodniowa stopa rabatu',
+ 'bluevine_minimum_fee_rate' => 'Minimalna opłata',
+ 'bluevine_line_of_credit' => 'Linia Kredytu',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Przejdź do BlueVine',
+ 'bluevine_completed' => 'Rejestracja w BlueVine ukończona',
+
+ 'vendor_name' => 'Dostawca',
+ 'entity_state' => 'Stan',
+ 'client_created_at' => 'Data utworzenia',
+ 'postmark_error' => 'Wystąpił błąd w trakcie wysyłania wiadomości email przez Postmark: :link',
+ 'project' => 'Projekt',
+ 'projects' => 'Projekty',
+ 'new_project' => 'Nowy projekt',
+ 'edit_project' => 'Edytuj projekt',
+ 'archive_project' => 'Zarchiwizuj produkt',
+ 'list_projects' => 'Lista produktów',
+ 'updated_project' => 'Zaktualizowano projekt',
+ 'created_project' => 'Utworzono projekt',
+ 'archived_project' => 'Zarchiwizowano projekt',
+ 'archived_projects' => 'Zarchiwizowano :count projektów',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Przywrócono projekt',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Usunięto projekt',
+ 'deleted_projects' => 'Usunięto :count projekty/projektów',
+ 'delete_expense_category' => 'Usuń kategorię',
+ 'deleted_expense_category' => 'Usunięto kategorię',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Usunięto produkt',
+ 'deleted_products' => 'Usunięto :count produktów',
+ 'restored_product' => 'Przywrócono produkt',
+ 'update_credit' => 'Aktualizuj kredyt',
+ 'updated_credit' => 'Zaktualizowano kredyt',
+ 'edit_credit' => 'Edytuj kredyt',
+ 'live_preview_help' => 'Wyświetlaj podgląd PDF na stronie faktury.
Wyłącz tę opcję, aby uzyskać poprawę wydajności w trakcie edycji faktur.',
+ 'force_pdfjs_help' => 'Zastąp wbudowany podgląd plików PDF w :chrome_link i :firefox_link.
Włącz tę opcję, jeśli przeglądarka automatycznie pobiera plik PDF.',
+ 'force_pdfjs' => 'Prevent Download',
+ 'redirect_url' => 'URL przekierowania',
+ 'redirect_url_help' => 'Opcjonalnie określ adres URL do przekierowania po wprowadzeniu płatności.',
+ 'save_draft' => 'Zapisz wersję roboczą',
+ 'refunded_credit_payment' => 'Zwrócona płatność kredytowa',
+ 'keyboard_shortcuts' => 'Skróty klawiaturowe',
+ 'toggle_menu' => 'Przełącz menu',
+ 'new_...' => 'Nowy ...',
+ 'list_...' => 'Lista ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Skontaktuj się z nami',
+ 'user_guide' => 'Przewodnik użytkownika',
+ 'promo_message' => 'Przejdź na wyższą wersję przez :expires i zyskaj :amount zniżki za pierwszy rok planu Pro lub Enterprise.',
+ 'discount_message' => ':amount wygasa :expires',
+ 'mark_paid' => 'Oznacz jako zapłaconą',
+ 'marked_sent_invoice' => 'Oznaczono fakturę jako wysłaną',
+ 'marked_sent_invoices' => 'Oznaczono faktury jako wysłane',
+ 'invoice_name' => 'Faktura',
+ 'product_will_create' => 'produkt zostanie stworzony',
+ 'contact_us_response' => 'Dziękujemy za Twoją wiadomość! Postaramy się odpowiedzieć tak szybko jak to możliwe.',
+ 'last_7_days' => 'Ostatnie 7 dni',
+ 'last_30_days' => 'Ostatnie 30 dni',
+ 'this_month' => 'Ten miesiąc',
+ 'last_month' => 'Ostatni miesiąc',
+ 'last_year' => 'Ostatni rok',
+ 'custom_range' => 'Określony okres',
+ 'url' => 'URL',
+ 'debug' => 'Debugowanie',
+ 'https' => 'HTTPS',
+ 'require' => 'Wymagaj',
+ 'license_expiring' => 'Uwaga: Twoja licencja wygasa za :count dni. :link, aby ją odnowić.',
+ 'security_confirmation' => 'Twój adres email został potwierdzony.',
+ 'white_label_expired' => 'Licencja White Label wygasła. Proszę rozważyć odnowienie jej, aby wspierać rozwój naszego projektu.',
+ 'renew_license' => 'Odnów licencję',
+ 'iphone_app_message' => 'Rozważ pobranie od nas :link',
+ 'iphone_app' => 'Aplikacja iPhone',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Zalogowany',
+ 'switch_to_primary' => 'Przełącz się na swoją główną firmę (:name), aby zarządzać planem.',
+ 'inclusive' => 'Wliczanie w kwotę',
+ 'exclusive' => 'Doliczanie do kwoty',
+ 'postal_city_state' => 'Kod pocztowy/Miasto/Województwo',
+ 'phantomjs_help' => 'W pewnym okolicznościach aplikacja używa :link_phantom do generowania plików PDF. Zainstaluj :link_docs, aby móc generować je lokalnie.',
+ 'phantomjs_local' => 'Użycie lokalnego PhantomJS',
+ 'client_number' => 'Numer klienta',
+ 'client_number_help' => 'Proszę określić prefiks lub dostosować wzór aby automatycznie ustawiać numer klienta.',
+ 'next_client_number' => 'Numerem następnego klienta będzie :number.',
+ 'generated_numbers' => 'Wygenerowane numery',
+ 'notes_reminder1' => 'Pierwsze przypomienie',
+ 'notes_reminder2' => 'Drugie przypomnienie',
+ 'notes_reminder3' => 'Trzecie przypomienie',
+ 'bcc_email' => 'UDW Email',
+ 'tax_quote' => 'Podatek do oferty',
+ 'tax_invoice' => 'Podatek do faktury',
+ 'emailed_invoices' => 'Wysyłka maili powiodła się',
+ 'emailed_quotes' => 'Wysyłka ofert powiodła się',
+ 'website_url' => 'Adres strony www',
+ 'domain' => 'Domena',
+ 'domain_help' => 'Używany w portalu klienta oraz przy wysyłce wiadomości email.',
+ 'domain_help_website' => 'Używane przy wysyłaniu wiadomości email.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Importuj faktury',
+ 'new_report' => 'Nowy raport',
+ 'edit_report' => 'Edytuj raport',
+ 'columns' => 'Kolumny',
+ 'filters' => 'Filtry',
+ 'sort_by' => 'Sortowanie po',
+ 'draft' => 'Wersja robocza',
+ 'unpaid' => 'Nie zapłacono',
+ 'aging' => 'Odkładanie',
+ 'age' => 'Wiek',
+ 'days' => 'Dni',
+ 'age_group_0' => '0 - 30 dni',
+ 'age_group_30' => '30 - 60 dni',
+ 'age_group_60' => '60 - 90 dni',
+ 'age_group_90' => '90 - 120 dni',
+ 'age_group_120' => 'ponad 120 dni',
+ 'invoice_details' => 'Szczegóły faktury',
+ 'qty' => 'Ilość',
+ 'profit_and_loss' => 'Zysk i strata',
+ 'revenue' => 'Dochód',
+ 'profit' => 'Zysk',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Grupuj daty po',
+ 'year' => 'Rok',
+ 'view_statement' => 'Zobacz wyciąg',
+ 'statement' => 'Wyciąg',
+ 'statement_date' => 'Data wygenerowania wyciągu',
+ 'mark_active' => 'Oznacz jako aktywną',
+ 'send_automatically' => 'Wyślij automatycznie',
+ 'initial_email' => 'Początkowy email',
+ 'invoice_not_emailed' => 'Ta faktura nie została wysłana emailem.',
+ 'quote_not_emailed' => 'Ta oferta nie została wysłana emailem.',
+ 'sent_by' => 'Wysłano przez :user',
+ 'recipients' => 'Odbiorcy',
+ 'save_as_default' => 'Zapisz jako domyślne',
+ 'template' => 'Szablon',
+ 'start_of_week_help' => 'Używany przez selektory dat',
+ 'financial_year_start_help' => 'Używany przez selektory zakresów czasu',
+ 'reports_help' => 'Shift + Click to sort by multiple columns, Ctrl + Click to clear the grouping.',
+ 'this_year' => 'Ten rok',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Twórz. Wysyłaj. Zarabiaj.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Zarejestruj się teraz.',
+ 'not_a_member_yet' => 'Nie masz konta?',
+ 'login_create_an_account' => 'Stwórz konto!',
+ 'client_login' => 'Logowanie klienta',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Sprzedawca:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Pełna nazwa',
+ 'month_year' => 'MIESIĄC/ROK',
+ 'valid_thru' => 'Ważna\nprzez',
+
+ 'product_fields' => 'Pola produktów',
+ 'custom_product_fields_help' => 'Dodaj pole przy tworzeniu produktu lub faktury i wyświetlaj jego etykietę oraz wartość w pliku PDF.',
+ 'freq_two_months' => 'Dwa miesiące',
+ 'freq_yearly' => 'Rocznie',
+ 'profile' => 'Profil',
+ 'payment_type_help' => 'Ustaw jako domyślny rodzaj płatności',
+ 'industry_Construction' => 'Budownictwo',
+ 'your_statement' => 'Twój wyciąg',
+ 'statement_issued_to' => 'Wykaz wystawiony dla',
+ 'statement_to' => 'Wykaz dla',
+ 'customize_options' => 'Dostosuj opcje',
+ 'created_payment_term' => 'Utworzono termin płatności',
+ 'updated_payment_term' => 'Zaktualizowano termin płatności',
+ 'archived_payment_term' => 'Zarchiwizowano termin płatności',
+ 'resend_invite' => 'Ponów zaproszenie',
+ 'credit_created_by' => 'Kredyt stworzony przez płatność :transaction_reference',
+ 'created_payment_and_credit' => 'Utworzono płatność i kredyt.',
+ 'created_payment_and_credit_emailed_client' => 'Utworzono płatność, kredyt i wysłano email do klienta',
+ 'create_project' => 'Utwórz projekt',
+ 'create_vendor' => 'Utwórz dostawcę',
+ 'create_expense_category' => 'Utwórz kategorię',
+ 'pro_plan_reports' => ':link aby aktywować raporty dołącz do planu Pro',
+ 'mark_ready' => 'Oznacz jako gotową',
+
+ 'limits' => 'Limity',
+ 'fees' => 'Opłaty',
+ 'fee' => 'Opłata',
+ 'set_limits_fees' => 'Ustaw limity/opłaty dla płatności typu :gateway_type ',
+ 'fees_tax_help' => 'Umożliwia podatkom dopisanym do poszczególnych pozycji na ustawianie podatków od opłat.',
+ 'fees_sample' => 'Opłata do faktury :amount wynosić będzie :total.',
+ 'discount_sample' => 'Rabat z kwoty :amount faktury wyniesie w sumie :total.',
+ 'no_fees' => 'Brak opłat',
+ 'gateway_fees_disclaimer' => 'Ostrzeżenie: nie wszystkie kraje/dostawcy płatności zezwalają na dodatkowe opłaty. Proszę sprawdzić lokalne przepisy/warunki świadczenia usług.',
+ 'percent' => 'Procent',
+ 'location' => 'Lokalizacja',
+ 'line_item' => 'Element na liście',
+ 'surcharge' => 'Dopłata',
+ 'location_first_surcharge' => 'Aktywowano - pierwsza dopłata',
+ 'location_second_surcharge' => 'Aktywowano - druga dopłata',
+ 'location_line_item' => 'Aktywowano - trzecia dopłata',
+ 'online_payment_surcharge' => 'Dopłata za płatność online',
+ 'gateway_fees' => 'Opłaty dostawcy płatności',
+ 'fees_disabled' => 'Dodatkowe opłaty są wyłączone',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Dostawca płatności',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Dostosuj dopłaty :link.',
+ 'label_and_taxes' => 'etykiety i podatki',
+ 'billable' => 'Opłacany',
+ 'logo_warning_too_large' => 'Przesłany plik obrazu jest zbyt duży.',
+ 'logo_warning_fileinfo' => 'Ostrzeżenie: do obsługi plików GIF wymagane jest rozszerzenie PHP o nazwie fileinfo.',
+ 'logo_warning_invalid' => 'Wystąpił błąd w trakcie przetwarzania pliku. Proszę spróbować przesłać plik w innym formacie.',
+
+ 'error_refresh_page' => 'Wystąpił błąd. Proszę odświeżyć stronę i spróbować ponownie.',
+ 'data' => 'Dane',
+ 'imported_settings' => 'Udało się zaimportować ustawienia',
+ 'reset_counter' => 'Zresetuj licznik',
+ 'next_reset' => 'Następny reset',
+ 'reset_counter_help' => 'Automatycznie resetuj liczniki faktur i ofert.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Numer telefonu kontaktu',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Logowanie klienta',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Szablon',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/pl/validation.php b/resources/lang/pl/validation.php
new file mode 100644
index 000000000000..d3ffdb6a8155
--- /dev/null
+++ b/resources/lang/pl/validation.php
@@ -0,0 +1,106 @@
+ ":attribute musi być zaakceptowany.",
+ "active_url" => ":attribute nie jest poprawnym URL-em.",
+ "after" => ":attribute musi być datą za :date.",
+ "alpha" => ":attribute może zawierać tylko litery.",
+ "alpha_dash" => ":attribute może zawierać tylko litery, liczby i myślniki.",
+ "alpha_num" => ":attribute może zawierać tylko litery i liczby.",
+ "array" => ":attribute musi być tablicą.",
+ "before" => ":attribute musi być datą przed :date.",
+ "between" => array(
+ "numeric" => ":attribute musi być pomiędzy :min - :max.",
+ "file" => ":attribute musi mieć rozmiar pomiędzy :min - :max kilobajtów.",
+ "string" => ":attribute musi mieć pomiędzy :min - :max znaków.",
+ "array" => ":attribute musi zawierać :min - :max pozycji.",
+ ),
+ "confirmed" => ":attribute potwierdzenie nie jest zgodne.",
+ "date" => ":attribute nie jest prawidłową datą.",
+ "date_format" => ":attribute nie jest zgodne z formatem :format.",
+ "different" => ":attribute i :other muszą być różne.",
+ "digits" => ":attribute musi mieć :digits cyfr.",
+ "digits_between" => ":attribute musi być w przedziale od :min do :max cyfr.",
+ "email" => ":attribute format jest nieprawidłowy.",
+ "exists" => "Zaznaczony :attribute jest niepoprawny.",
+ "image" => ":attribute musi być zdjęciem.",
+ "in" => "Zaznaczony :attribute jest niepoprawny.",
+ "integer" => ":attribute musi być liczbą całkowitą.",
+ "ip" => ":attribute musi być poprawnym adresem IP.",
+ "max" => array(
+ "numeric" => ":attribute nie może być większy niż :max.",
+ "file" => ":attribute nie może być większy niż :max kilobajtów.",
+ "string" => ":attribute nie może być dłuższy niż :max znaków.",
+ "array" => ":attribute nie może zawierać więcej niż :max pozycji.",
+ ),
+ "mimes" => ":attribute musi być plikiem o typie: :values.",
+ "min" => array(
+ "numeric" => ":attribute musi być przynajmniej :min.",
+ "file" => ":attribute musi mieć przynajmniej :min kilobajtów.",
+ "string" => ":attribute musi mieć przynajmniej :min znaków.",
+ "array" => ":attribute musi zawierać przynajmniej :min pozycji.",
+ ),
+ "not_in" => "Zaznaczony :attribute jest niepoprawny.",
+ "numeric" => ":attribute musi być cyfrą.",
+ "regex" => ":attribute format jest niepoprawny.",
+ "required" => ":attribute pole jest wymagane.",
+ "required_if" => ":attribute pole jest wymagane jeśli :other ma :value.",
+ "required_with" => ":attribute pole jest wymagane kiedy :values jest obecne.",
+ "required_without" => ":attribute pole jest wymagane kiedy :values nie występuje.",
+ "same" => ":attribute i :other muszą być takie same.",
+ "size" => array(
+ "numeric" => ":attribute musi mieć :size.",
+ "file" => ":attribute musi mieć :size kilobajtów.",
+ "string" => ":attribute musi mieć :size znaków.",
+ "array" => ":attribute musi zawierać :size pozycji.",
+ ),
+ "unique" => ":attribute już istnieje.",
+ "url" => ":attribute format jest nieprawidłowy.",
+
+ "positive" => ":attribute musi być większe niż zero.",
+ "has_credit" => "Klient ma niewystarczająco kredytu.",
+ "notmasked" => "Wartości są maskowane",
+ "less_than" => ":attribute musi być mniejsze od :value",
+ "has_counter" => "Wartość musi zawierać {\$counter}",
+ "valid_contacts" => "Kontakt musi posiadać e-mail lub nazwę",
+ "valid_invoice_items" => "Faktura przekracza maksymalną kwotę",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => array(),
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => array(),
+
+);
\ No newline at end of file
diff --git a/resources/lang/pt_BR/pagination.php b/resources/lang/pt_BR/pagination.php
new file mode 100644
index 000000000000..39b1c02096a4
--- /dev/null
+++ b/resources/lang/pt_BR/pagination.php
@@ -0,0 +1,20 @@
+ '« Anterior',
+
+'next' => 'Próximo »',
+
+);
diff --git a/resources/lang/pt_BR/passwords.php b/resources/lang/pt_BR/passwords.php
new file mode 100644
index 000000000000..bd575ee830e7
--- /dev/null
+++ b/resources/lang/pt_BR/passwords.php
@@ -0,0 +1,22 @@
+ "Senhas deve conter pelo menos seis caracteres e combinar com a confirmação.",
+ "user" => "Usuário não encontrado.",
+ "token" => "Token inválido.",
+ "sent" => "Link para reset da senha enviado por email!",
+ "reset" => "Senha resetada!",
+
+];
diff --git a/resources/lang/pt_BR/reminders.php b/resources/lang/pt_BR/reminders.php
new file mode 100644
index 000000000000..9b6a07b0f536
--- /dev/null
+++ b/resources/lang/pt_BR/reminders.php
@@ -0,0 +1,24 @@
+ "Senhas devem possuir no mínimo seis caracteres e devem ser iguais.",
+
+"user" => "Não foi encontrado um usuário com o endereço de e-mail informado.",
+
+"token" => "Este token de redefinição de senha é inválido.",
+
+"sent" => "Lembrete de senha enviado!",
+
+);
diff --git a/resources/lang/pt_BR/texts.php b/resources/lang/pt_BR/texts.php
new file mode 100644
index 000000000000..4eb8cc282180
--- /dev/null
+++ b/resources/lang/pt_BR/texts.php
@@ -0,0 +1,2863 @@
+ 'Empresa',
+ 'name' => 'Nome',
+ 'website' => 'Site',
+ 'work_phone' => 'Telefone',
+ 'address' => 'Endereço',
+ 'address1' => 'Rua',
+ 'address2' => 'Complemento',
+ 'city' => 'Cidade',
+ 'state' => 'Estado',
+ 'postal_code' => 'CEP',
+ 'country_id' => 'País',
+ 'contacts' => 'Contatos',
+ 'first_name' => 'Nome',
+ 'last_name' => 'Sobrenome',
+ 'phone' => 'Telefone',
+ 'email' => 'E-mail',
+ 'additional_info' => 'Informações Adicionais',
+ 'payment_terms' => 'Forma de Pagamento',
+ 'currency_id' => 'Moeda',
+ 'size_id' => 'Tamanho',
+ 'industry_id' => 'Empresa',
+ 'private_notes' => 'Notas Privadas',
+ 'invoice' => 'Fatura',
+ 'client' => 'Cliente',
+ 'invoice_date' => 'Data da Fatura',
+ 'due_date' => 'Data de Vencimento',
+ 'invoice_number' => 'Número da Fatura',
+ 'invoice_number_short' => 'Nº da Fatura',
+ 'po_number' => 'Nº Ordem de Serviço',
+ 'po_number_short' => 'OS #',
+ 'frequency_id' => 'Frequência',
+ 'discount' => 'Desconto',
+ 'taxes' => 'Taxas',
+ 'tax' => 'Taxa',
+ 'item' => 'Item',
+ 'description' => 'Descrição',
+ 'unit_cost' => 'Preço Unitário',
+ 'quantity' => 'Quantidade',
+ 'line_total' => 'Total',
+ 'subtotal' => 'Subtotal',
+ 'paid_to_date' => 'Pagamentos até a data',
+ 'balance_due' => 'Saldo',
+ 'invoice_design_id' => 'Modelo',
+ 'terms' => 'Condições',
+ 'your_invoice' => 'Sua Fatura',
+ 'remove_contact' => 'Remover contato',
+ 'add_contact' => 'Adicionar contato',
+ 'create_new_client' => 'Criar novo cliente',
+ 'edit_client_details' => 'Editar detalhes do cliente',
+ 'enable' => 'Habilitar',
+ 'learn_more' => 'Aprender mais',
+ 'manage_rates' => 'Gerenciar taxas',
+ 'note_to_client' => 'Observações',
+ 'invoice_terms' => 'Condições da Fatura',
+ 'save_as_default_terms' => 'Salvar como condição padrão',
+ 'download_pdf' => 'Baixar PDF',
+ 'pay_now' => 'Pagar agora',
+ 'save_invoice' => 'Salvar Fatura',
+ 'clone_invoice' => 'Clonar Fatura',
+ 'archive_invoice' => 'Arquivar Fatura',
+ 'delete_invoice' => 'Apagar Fatura',
+ 'email_invoice' => 'Enviar Fatura',
+ 'enter_payment' => 'Informar Pagamento',
+ 'tax_rates' => 'Impostos',
+ 'rate' => 'Valor',
+ 'settings' => 'Configurações',
+ 'enable_invoice_tax' => 'Permitir especificar a taxa da fatura',
+ 'enable_line_item_tax' => 'Permitir especificar o taxas por item',
+ 'dashboard' => 'Painel',
+ 'clients' => 'Clientes',
+ 'invoices' => 'Faturas',
+ 'payments' => 'Pagamentos',
+ 'credits' => 'Créditos',
+ 'history' => 'Histórico',
+ 'search' => 'Pesquisa',
+ 'sign_up' => 'Cadastrar',
+ 'guest' => 'Convidado',
+ 'company_details' => 'Detalhes da Empresa',
+ 'online_payments' => 'Pagamentos Online',
+ 'notifications' => 'Notificações',
+ 'import_export' => 'Importar/Exportar',
+ 'done' => 'Feito',
+ 'save' => 'Salvar',
+ 'create' => 'Criar',
+ 'upload' => 'Upload',
+ 'import' => 'Importar',
+ 'download' => 'Download',
+ 'cancel' => 'Cancelar',
+ 'close' => 'Fechar',
+ 'provide_email' => 'Forneça um endereço de e-mail válido',
+ 'powered_by' => 'Powered by',
+ 'no_items' => 'Sem itens',
+ 'recurring_invoices' => 'Faturas Recorrentes',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'no total de faturamento',
+ 'billed_client' => 'Cliente faturado',
+ 'billed_clients' => 'Clientes faturados',
+ 'active_client' => 'Cliente ativo',
+ 'active_clients' => 'Clientes ativos',
+ 'invoices_past_due' => 'Faturas Vencidas',
+ 'upcoming_invoices' => 'Próximas Faturas',
+ 'average_invoice' => 'Média por Fatura',
+ 'archive' => 'Arquivos',
+ 'delete' => 'Apagar',
+ 'archive_client' => 'Arquivar Cliente',
+ 'delete_client' => 'Deletar Cliente',
+ 'archive_payment' => 'Arquivar Pagamento',
+ 'delete_payment' => 'Deletar Pagamento',
+ 'archive_credit' => 'Arquivar Crédito',
+ 'delete_credit' => 'Deletar Crédito',
+ 'show_archived_deleted' => 'Mostrar arquivados/apagados',
+ 'filter' => 'Filtrar',
+ 'new_client' => 'Novo Cliente',
+ 'new_invoice' => 'Nova Fatura',
+ 'new_payment' => 'Adicionar Pagamento',
+ 'new_credit' => 'Adicionar Crédito',
+ 'contact' => 'Contato',
+ 'date_created' => 'Data de Criação',
+ 'last_login' => 'Último Login',
+ 'balance' => 'Saldo',
+ 'action' => 'Ação',
+ 'status' => 'Status',
+ 'invoice_total' => 'Total da Fatura',
+ 'frequency' => 'Frequência',
+ 'start_date' => 'Data Inicial',
+ 'end_date' => 'Data Final',
+ 'transaction_reference' => 'Referência da Transação',
+ 'method' => 'Método',
+ 'payment_amount' => 'Qtde do Pagamento',
+ 'payment_date' => 'Data do Pagamento',
+ 'credit_amount' => 'Qtde do Crédito',
+ 'credit_balance' => 'Balanço do Crédito',
+ 'credit_date' => 'Data do Crédito',
+ 'empty_table' => 'Sem dados disponíveis',
+ 'select' => 'Selecionar',
+ 'edit_client' => 'Editar Cliente',
+ 'edit_invoice' => 'Editar Fatura',
+ 'create_invoice' => 'Criar Fatura',
+ 'enter_credit' => 'Informar Crédito',
+ 'last_logged_in' => 'Último acesso em',
+ 'details' => 'Detalhes',
+ 'standing' => 'Resumo',
+ 'credit' => 'Crédito',
+ 'activity' => 'Atividade',
+ 'date' => 'Data',
+ 'message' => 'Mensagem',
+ 'adjustment' => 'Movimento',
+ 'are_you_sure' => 'Você tem certeza?',
+ 'payment_type_id' => 'Tipo de pagamento',
+ 'amount' => 'Quantidade',
+ 'work_email' => 'E-mail',
+ 'language_id' => 'Idioma',
+ 'timezone_id' => 'Fuso Horário',
+ 'date_format_id' => 'Formato da Data',
+ 'datetime_format_id' => 'Formato da Data/Hora',
+ 'users' => 'Usuários',
+ 'localization' => 'Localização',
+ 'remove_logo' => 'Remover logo',
+ 'logo_help' => 'Suportados: JPEG, GIF and PNG',
+ 'payment_gateway' => 'Provedor de Pagamento',
+ 'gateway_id' => 'Provedor',
+ 'email_notifications' => 'Notificações por E-mail',
+ 'email_sent' => 'Notificar-me por e-mail quando a fatura for enviada',
+ 'email_viewed' => 'Notificar-me por e-mail quando a fatura for visualizada',
+ 'email_paid' => 'Notificar-me por e-mail quando a fatura for paga',
+ 'site_updates' => 'Atualizações',
+ 'custom_messages' => 'Mensagens Customizadas',
+ 'default_email_footer' => 'Definir assinatura de e-mail padrão',
+ 'select_file' => 'Selecione um arquivo',
+ 'first_row_headers' => 'Usar as primeiras linhas como cabeçalho',
+ 'column' => 'Coluna',
+ 'sample' => 'Exemplo',
+ 'import_to' => 'Importar para',
+ 'client_will_create' => 'cliente será criado',
+ 'clients_will_create' => 'clientes serão criados',
+ 'email_settings' => 'Configurações de E-mail',
+ 'client_view_styling' => 'Client View Styling',
+ 'pdf_email_attachment' => 'Attach PDF',
+ 'custom_css' => 'CSS Personalizado',
+ 'import_clients' => 'Importar Dados do Cliente',
+ 'csv_file' => 'Selecionar arquivo CSV',
+ 'export_clients' => 'Exportar Dados do Cliente',
+ 'created_client' => 'Cliente criado com sucesso',
+ 'created_clients' => ':count clientes criados com sucesso',
+ 'updated_settings' => 'Configurações atualizadas com sucesso',
+ 'removed_logo' => 'Logo removida com sucesso',
+ 'sent_message' => 'Mensagem enviada com sucesso',
+ 'invoice_error' => 'Verifique se você selecionou algum cliente e que não há nenhum outro erro',
+ 'limit_clients' => 'Desculpe, isto irá exceder o limite de :count clientes',
+ 'payment_error' => 'Ocorreu um erro ao processar o pagamento. Por favor tente novamente mais tarde.',
+ 'registration_required' => 'Favor logar-se para enviar uma fatura por e-mail',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Cliente atualizado com sucesso',
+ 'created_client' => 'Cliente criado com sucesso',
+ 'archived_client' => 'Cliente arquivado com sucesso',
+ 'archived_clients' => ':count clientes arquivados com sucesso',
+ 'deleted_client' => 'Clientes removidos com sucesso',
+ 'deleted_clients' => ':count clientes removidos com sucesso',
+ 'updated_invoice' => 'Fatura atualizado com sucesso',
+ 'created_invoice' => 'Fatura criada com sucesso',
+ 'cloned_invoice' => 'Fatura clonada com sucesso',
+ 'emailed_invoice' => 'Fatura enviada por e-mail com sucesso',
+ 'and_created_client' => 'e o cliente foi criado',
+ 'archived_invoice' => 'Fatura arquivado com sucesso',
+ 'archived_invoices' => ':count faturas arquivados com sucesso',
+ 'deleted_invoice' => 'Fatura apagados com sucesso',
+ 'deleted_invoices' => ':count faturas apagados com sucesso',
+ 'created_payment' => 'Pagamento criado com sucesso',
+ 'created_payments' => ':count pagamento(s) criados com sucesso',
+ 'archived_payment' => 'Pagamento arquivado com sucesso',
+ 'archived_payments' => ':count pagamentos arquivados com sucesso',
+ 'deleted_payment' => 'Pagamento apagado com sucesso',
+ 'deleted_payments' => ':count pagamentos apagados com sucesso',
+ 'applied_payment' => 'Pagamentos aplicados com sucesso',
+ 'created_credit' => 'Crédito criado com sucesso',
+ 'archived_credit' => 'Crédito arquivado com sucesso',
+ 'archived_credits' => ':count créditos arquivados com sucesso',
+ 'deleted_credit' => 'Crédito apagado com sucesso',
+ 'deleted_credits' => ':count créditos apagados com sucesso',
+ 'imported_file' => 'Arquivo importado com sucesso',
+ 'updated_vendor' => 'Fornecedor atualizado com sucesso',
+ 'created_vendor' => 'Fornecedor criado com sucesso',
+ 'archived_vendor' => 'Fornecedor arquivado com sucesso',
+ 'archived_vendors' => ':count fornecedores arquivados com sucesso',
+ 'deleted_vendor' => 'Fornecedor removido com sucesso',
+ 'deleted_vendors' => ':count fornecedores removidos com sucesso',
+ 'confirmation_subject' => 'Confirmação de Conta do Invoice Ninja',
+ 'confirmation_header' => 'Confirmação de Conta',
+ 'confirmation_message' => 'Favor acessar o link abaixo para confirmar a sua conta.',
+ 'invoice_subject' => 'Nova fatura :numer de :account',
+ 'invoice_message' => 'Para visualizar a sua fatura de :amount, clique no link abaixo.',
+ 'payment_subject' => 'Recebimento de pagamento de',
+ 'payment_message' => 'Obrigado, pagamento de :amount confirmado',
+ 'email_salutation' => 'Caro :name,',
+ 'email_signature' => 'Atenciosamente,',
+ 'email_from' => 'Equipe InvoiceNinja',
+ 'invoice_link_message' => 'Para visualizar a fatura do seu cliente clique no link abaixo:',
+ 'notification_invoice_paid_subject' => 'Fatura :invoice foi pago por :client',
+ 'notification_invoice_sent_subject' => 'Fatura :invoice foi enviado por :client',
+ 'notification_invoice_viewed_subject' => 'Fatura :invoice foi visualizada por :client',
+ 'notification_invoice_paid' => 'Um pagamento de :amount foi realizado pelo cliente :client através da fatura :invoice.',
+ 'notification_invoice_sent' => 'O cliente :client foi notificado por e-mail referente à fatura :invoice de :amount.',
+ 'notification_invoice_viewed' => 'O cliente :client visualizou a fatura :invoice de :amount.',
+ 'reset_password' => 'Você pode redefinir a sua senha clicando no seguinte link:',
+ 'secure_payment' => 'Pagamento Seguro',
+ 'card_number' => 'Número do cartão',
+ 'expiration_month' => 'Mês de expiração',
+ 'expiration_year' => 'Ano de expiração',
+ 'cvv' => 'CVV',
+ 'logout' => 'Sair',
+ 'sign_up_to_save' => 'Faça login para salvar o seu trabalho',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Condições do Serviço',
+ 'email_taken' => 'O endereço de e-mail já está registrado',
+ 'working' => 'Processando',
+ 'success' => 'Successo',
+ 'success_message' => 'Você se registrou com sucesso. Por favor acesse o link de confirmação para confirmar o seu endereço de e-mail.',
+ 'erase_data' => 'Sua conta ainda não está cadastrada, isso apagará permanentemente seus dados.',
+ 'password' => 'Senha',
+ 'pro_plan_product' => 'Plano Profissional',
+ 'pro_plan_success' => 'Muito Obrigado! Assim que o pagamento for confirmado seu plano será ativado.',
+ 'unsaved_changes' => 'Existem alterações não salvas',
+ 'custom_fields' => 'Campos Personalizados',
+ 'company_fields' => 'Campos para Empresa',
+ 'client_fields' => 'Campos para Cientes',
+ 'field_label' => 'Nome do Campo',
+ 'field_value' => 'Valor do Campo',
+ 'edit' => 'Editar',
+ 'set_name' => 'Informe o nome da sua empresa',
+ 'view_as_recipient' => 'Visualizar como destinatário',
+ 'product_library' => 'Lista de Produtos',
+ 'product' => 'Produto',
+ 'products' => 'Produtos',
+ 'fill_products' => 'Sugerir produtos',
+ 'fill_products_help' => 'Selecionando o produto descrição e preço serão preenchidos automaticamente',
+ 'update_products' => 'Atualização automática dos produtos',
+ 'update_products_help' => 'Atualizando na fatura o produto também será atualizado',
+ 'create_product' => 'Criar Produto',
+ 'edit_product' => 'Editar Prodruto',
+ 'archive_product' => 'Arquivar Produto',
+ 'updated_product' => 'Produto atualizado',
+ 'created_product' => 'Produto criado',
+ 'archived_product' => 'Produto arquivado',
+ 'pro_plan_custom_fields' => ':link para habilitar campos personalizados adquira o Plano Profissional',
+ 'advanced_settings' => 'Configurações Avançadas',
+ 'pro_plan_advanced_settings' => ':link para habilitar as configurações avançadas adquira o Plano Profissional',
+ 'invoice_design' => 'Modelo da Fatura',
+ 'specify_colors' => 'Definição de Cores',
+ 'specify_colors_label' => 'Selecione as cores para sua fatura',
+ 'chart_builder' => 'Contrutor de Gráficos',
+ 'ninja_email_footer' => 'Criado por :site | Crie. Envie. Receba.',
+ 'go_pro' => 'Adquira o Plano Pro',
+ 'quote' => 'Orçamento',
+ 'quotes' => 'Orçamentos',
+ 'quote_number' => 'Número do Orçamento',
+ 'quote_number_short' => 'Orçamento #',
+ 'quote_date' => 'Data do Orçamento',
+ 'quote_total' => 'Total do Orçamento',
+ 'your_quote' => 'Seu Orçamento',
+ 'total' => 'Total',
+ 'clone' => 'Clonar',
+ 'new_quote' => 'Novo Orçamento',
+ 'create_quote' => 'Criar Orçamento',
+ 'edit_quote' => 'Editar Orçamento',
+ 'archive_quote' => 'Arquivar Orçamento',
+ 'delete_quote' => 'Deletar Orçamento',
+ 'save_quote' => 'Salvar Oçamento',
+ 'email_quote' => 'Enviar Orçamento',
+ 'clone_quote' => 'Clonar Orçamento',
+ 'convert_to_invoice' => 'Faturar Orçamento',
+ 'view_invoice' => 'Visualizar fatura',
+ 'view_client' => 'Visualizar Cliente',
+ 'view_quote' => 'Visualizar Orçamento',
+ 'updated_quote' => 'Orçamento atualizado',
+ 'created_quote' => 'Orçamento criado',
+ 'cloned_quote' => 'Orçamento clonaro',
+ 'emailed_quote' => 'Orçamento enviado',
+ 'archived_quote' => 'Orçamento aquivado',
+ 'archived_quotes' => ':count Orçamento(s) arquivado(s)',
+ 'deleted_quote' => 'Orçamento deletado',
+ 'deleted_quotes' => ':count Orçamento(s) deletado(s)',
+ 'converted_to_invoice' => 'Orçamento faturado',
+ 'quote_subject' => 'Novo orçamento :number de :account',
+ 'quote_message' => 'Para visualizar o oçamento de :amount, clique no link abaixo.',
+ 'quote_link_message' => 'Para visualizar o orçamento clique no link abaixo',
+ 'notification_quote_sent_subject' => 'Orçamento :invoice enviado para :client',
+ 'notification_quote_viewed_subject' => 'Orçamento :invoice visualizado por :client',
+ 'notification_quote_sent' => 'O cliente :client recebeu o Orçamento :invoice de:amount.',
+ 'notification_quote_viewed' => 'O clinete :client visualizou o Orçamento :invoice de :amount.',
+ 'session_expired' => 'Sessão expirada.',
+ 'invoice_fields' => 'Campos da Fatura',
+ 'invoice_options' => 'Opções da Fatura',
+ 'hide_paid_to_date' => 'Ocultar data de pagamento',
+ 'hide_paid_to_date_help' => 'Apenas mostrar a "Data de Pagamento" quanto o pagamento tiver sido efetuado.',
+ 'charge_taxes' => 'Taxas',
+ 'user_management' => 'Gerenciamento de Usuários',
+ 'add_user' => 'Adicionar Usuários',
+ 'send_invite' => 'Enviar convite',
+ 'sent_invite' => 'Convite enviado',
+ 'updated_user' => 'Usuário atualizado',
+ 'invitation_message' => 'Você recebeu um convite de :invitor. ',
+ 'register_to_add_user' => 'Cadastre-se para adicionar um usuário',
+ 'user_state' => 'Status',
+ 'edit_user' => 'Editar Usuário',
+ 'delete_user' => 'Deletar Usuário',
+ 'active' => 'Ativo',
+ 'pending' => 'Pendente',
+ 'deleted_user' => 'Usuário deletado',
+ 'confirm_email_invoice' => 'Deseja enviar esta fatura?',
+ 'confirm_email_quote' => 'Deseja enviar este orçamento?',
+ 'confirm_recurring_email_invoice' => 'Deseja enviar esta fatura?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Cancelar Conta',
+ 'cancel_account_message' => 'Aviso: Isso apagará permanentemente sua conta, não há como desfazer.',
+ 'go_back' => 'Voltar',
+ 'data_visualizations' => 'Visualização de Dados',
+ 'sample_data' => 'Dados de Exemplo',
+ 'hide' => 'Ocultar',
+ 'new_version_available' => 'Uma nova versão :releases_link está disponível. Sua versão é v:user_version, a última versão é v:latest_version',
+ 'invoice_settings' => 'Configuração das Faturas',
+ 'invoice_number_prefix' => 'Prefixo na Numeração das Faturas',
+ 'invoice_number_counter' => 'Numeração das Faturas',
+ 'quote_number_prefix' => 'Prefixo na Numeração dos Orçamentos',
+ 'quote_number_counter' => 'Numeração dos Orçamentos',
+ 'share_invoice_counter' => 'Usar numeração das faturas',
+ 'invoice_issued_to' => 'Fatura emitida para',
+ 'invalid_counter' => 'Para evitar conflitos defina prefíxos de numeração para Faturas e Orçamentos',
+ 'mark_sent' => 'Marcar como Enviada',
+ 'gateway_help_1' => ':link para acessar Authorize.net.',
+ 'gateway_help_2' => ':link para acessar Authorize.net.',
+ 'gateway_help_17' => ':link para adquirir sua "PayPal API signature".',
+ 'gateway_help_27' => ':link registrar-se no 2Checkout.com. Para garantir o rastreamento dos pagamentos configure o :complete_link como URL de redirecionamento em Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link para criar uma conta no WePay.',
+ 'more_designs' => 'Mais Modelos',
+ 'more_designs_title' => 'Modelo Adicionais',
+ 'more_designs_cloud_header' => 'Adquira o Plano Pro para mais modelos',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Comprar',
+ 'bought_designs' => 'Novos Modelos Adicionados',
+ 'sent' => 'Enviado',
+ 'vat_number' => 'Insc.',
+ 'timesheets' => 'Planilha de Tempos',
+ 'payment_title' => 'Informe o endereço de cobrança e as informações do Cartão de Crédito',
+ 'payment_cvv' => '*São os 3-4 digitos encontrados atrás do seu cartão.',
+ 'payment_footer1' => '*O endereço de cobrança deve ser igual o endereço associado ao Cartã de Crédito.',
+ 'payment_footer2' => '*Clique em "Pagar Agora" apenas uma vez - esta operação pode levar até 1 Minuto para processar.',
+ 'id_number' => 'CNPJ',
+ 'white_label_link' => 'White Label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'Licença "white label" habilitada',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Restaurar',
+ 'restore_invoice' => 'Restaurar Fatura',
+ 'restore_quote' => 'Restaurar Orçamento',
+ 'restore_client' => 'Restaurar Cliente',
+ 'restore_credit' => 'Restaurar Credito',
+ 'restore_payment' => 'Restaurar Pagamento',
+ 'restored_invoice' => 'Fatura restaurada',
+ 'restored_quote' => 'Orçamento restaurado',
+ 'restored_client' => 'Cliente restaurado',
+ 'restored_payment' => 'Pagamento restaurado',
+ 'restored_credit' => 'Crédito restaurado',
+ 'reason_for_canceling' => 'Ajude-nos a melhorar, envie suas sugestões.',
+ 'discount_percent' => '%',
+ 'discount_amount' => 'Valor',
+ 'invoice_history' => 'Histórico de Faturas',
+ 'quote_history' => 'Histórico de Orçamentos',
+ 'current_version' => 'Versão Atual',
+ 'select_version' => 'Selecionar versão',
+ 'view_history' => 'Visualizar Histórico',
+ 'edit_payment' => 'Editar Pagamento',
+ 'updated_payment' => 'Pagamento atualizado',
+ 'deleted' => 'Deletado',
+ 'restore_user' => 'Restaurar Usuário',
+ 'restored_user' => 'Usuário restaurado',
+ 'show_deleted_users' => 'Exibir usuários deletados',
+ 'email_templates' => 'Modelo de E-mail',
+ 'invoice_email' => 'E-mail de Faturas',
+ 'payment_email' => 'E-mail de Pagamentos',
+ 'quote_email' => 'E-mail de Orçamentos',
+ 'reset_all' => 'Resetar Todos',
+ 'approve' => 'Aprovar',
+ 'token_billing_type_id' => 'Token de Cobrança',
+ 'token_billing_help' => 'Armazene informações de pagamento com WePay, Stripe, Braintree ou GoCardless.',
+ 'token_billing_1' => 'Desabilitado',
+ 'token_billing_2' => 'Opt-in - não selecionado',
+ 'token_billing_3' => 'Opt-out - selecionado',
+ 'token_billing_4' => 'Sempre',
+ 'token_billing_checkbox' => 'Guardar detalhes do cartão',
+ 'view_in_gateway' => 'Ver em :gateway',
+ 'use_card_on_file' => 'Utilizar Cartão em Arquivo',
+ 'edit_payment_details' => 'Editar detalhes do pagamento',
+ 'token_billing' => 'Salvar detalhes do cartão',
+ 'token_billing_secure' => 'Dados armazenados com seguração por :link',
+ 'support' => 'Suporte',
+ 'contact_information' => 'Informações de Contato',
+ '256_encryption' => 'Criptografia de 256-Bit',
+ 'amount_due' => 'Valor devido',
+ 'billing_address' => 'Endereço de cobrança',
+ 'billing_method' => 'Tipo de pagamento',
+ 'order_overview' => 'Geral',
+ 'match_address' => '*O endereço de cobrança deve ser igual o endereço associado ao Cartão de Crédito.',
+ 'click_once' => '*Clique em "Pagar Agora" apenas uma vez - esta operação pode levar até 1 Minuto para processar.',
+ 'invoice_footer' => 'Rodapé da Fatura',
+ 'save_as_default_footer' => 'Salvar como rodapé padrão',
+ 'token_management' => 'Gerenciar Token',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Adicionar Token',
+ 'show_deleted_tokens' => 'Mostrar tokents deleteados',
+ 'deleted_token' => 'Token deletado',
+ 'created_token' => 'Token criado',
+ 'updated_token' => 'Token atualizado',
+ 'edit_token' => 'Editat Token',
+ 'delete_token' => 'Deletar Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Adicionar Provedor',
+ 'delete_gateway' => 'Deletar Provedor',
+ 'edit_gateway' => 'Editar Provedor',
+ 'updated_gateway' => 'Provedor atualizado',
+ 'created_gateway' => 'Provedor Criado',
+ 'deleted_gateway' => 'Provedor Deletado',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Cartão de Crédito',
+ 'change_password' => 'Altera senha',
+ 'current_password' => 'Senha atual',
+ 'new_password' => 'Nova senha',
+ 'confirm_password' => 'Confirmar senha',
+ 'password_error_incorrect' => 'Senha atual incorreta.',
+ 'password_error_invalid' => 'Nova senha inválida.',
+ 'updated_password' => 'Senha atualizada',
+ 'api_tokens' => 'API Tokens',
+ 'users_and_tokens' => 'Usuários & Tokens',
+ 'account_login' => 'Login',
+ 'recover_password' => 'Recuperar senha',
+ 'forgot_password' => 'Esqueceu sua senha?',
+ 'email_address' => 'E-mail',
+ 'lets_go' => 'Vamos!',
+ 'password_recovery' => 'Recuperar Senha',
+ 'send_email' => 'Enviar Email',
+ 'set_password' => 'Definir Senha',
+ 'converted' => 'Faturado',
+ 'email_approved' => 'Notificar-me por e-mail quando um orçamento for aprovado',
+ 'notification_quote_approved_subject' => 'Orçamento :invoice foi aprovado por :client',
+ 'notification_quote_approved' => 'O cliente :client aprovou Orçamento :invoice de :amount.',
+ 'resend_confirmation' => 'Reenviar e-mail de confirmação',
+ 'confirmation_resent' => 'E-mail de confirmação reenviado',
+ 'gateway_help_42' => ':link acessar BitPay.
Aviso: use a "Legacy API Key", não "API token".',
+ 'payment_type_credit_card' => 'Cartão de Crédito',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Base de Conhecimento',
+ 'partial' => 'Depósito/Parcial',
+ 'partial_remaining' => ':partial de :balance',
+ 'more_fields' => 'Mais Campos',
+ 'less_fields' => 'Menos Campos',
+ 'client_name' => 'Nome do Cliente',
+ 'pdf_settings' => 'Configurações do PDF',
+ 'product_settings' => 'Configurações de Produtos',
+ 'auto_wrap' => 'Quebrar Linhas',
+ 'duplicate_post' => 'Atenção: a pagina anterior foi enviada duas vezes. A segunda vez foi ignorada.',
+ 'view_documentation' => 'Ver Documentação',
+ 'app_title' => 'Free Open-Source Online Invoicing',
+ 'app_description' => 'Invoice Ninja is a free, open-source solution for invoicing and billing customers. With Invoice Ninja, you can easily build and send beautiful invoices from any device that has access to the web. Your clients can print your invoices, download them as pdf files, and even pay you online from within the system.',
+ 'rows' => 'linhas',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdomínio',
+ 'provide_name_or_email' => 'Por favor informe um nome ou email',
+ 'charts_and_reports' => 'Gráficos & Relatórios',
+ 'chart' => 'Gráfico',
+ 'report' => 'Relatório',
+ 'group_by' => 'Agrupado por',
+ 'paid' => 'Pago',
+ 'enable_report' => 'Relatório',
+ 'enable_chart' => 'Gráfico',
+ 'totals' => 'Totais',
+ 'run' => 'Executar',
+ 'export' => 'Exportar',
+ 'documentation' => 'Documentação',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Recorrente',
+ 'last_invoice_sent' => 'Última cobrança enviada em :date',
+ 'processed_updates' => 'Atualização completa',
+ 'tasks' => 'Tarefas',
+ 'new_task' => 'Nova Tarefa',
+ 'start_time' => 'Início',
+ 'created_task' => 'Tarefa criada',
+ 'updated_task' => 'Tarefa atualizada',
+ 'edit_task' => 'Editar Tarefa',
+ 'archive_task' => 'Arquivar Tarefa',
+ 'restore_task' => 'Restaurar Tarefa',
+ 'delete_task' => 'Deletar Tarefa',
+ 'stop_task' => 'Parar Tarefa',
+ 'time' => 'Tempo',
+ 'start' => 'Iniciar',
+ 'stop' => 'Parar',
+ 'now' => 'Agora',
+ 'timer' => 'Timer',
+ 'manual' => 'Manual',
+ 'date_and_time' => 'Data & Hora',
+ 'second' => 'Segundo',
+ 'seconds' => 'Segundos',
+ 'minute' => 'minuto',
+ 'minutes' => 'minutos',
+ 'hour' => 'hora',
+ 'hours' => 'horas',
+ 'task_details' => 'Detalhes da Tarefa',
+ 'duration' => 'Duração',
+ 'end_time' => 'Final',
+ 'end' => 'Fim',
+ 'invoiced' => 'Faturado',
+ 'logged' => 'Logado',
+ 'running' => 'Executando',
+ 'task_error_multiple_clients' => 'Tarefas não podem pertencer a clientes diferentes',
+ 'task_error_running' => 'Pare as tarefas em execução',
+ 'task_error_invoiced' => 'Tarefa já faturada',
+ 'restored_task' => 'Tarefa restaurada',
+ 'archived_task' => 'Tarefa arquivada',
+ 'archived_tasks' => ':count Tarefas arquivadas',
+ 'deleted_task' => 'Tarefa deletada',
+ 'deleted_tasks' => ':count Tarefas deletadas',
+ 'create_task' => 'Criar Tarefa',
+ 'stopped_task' => 'Tarefa interrompida',
+ 'invoice_task' => 'Faturar Tarefa',
+ 'invoice_labels' => 'Etiquetas das Faturas',
+ 'prefix' => 'Prefixo',
+ 'counter' => 'Contador',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link acessar Dwolla.',
+ 'partial_value' => 'Deve ser maior que zero e menor que o total',
+ 'more_actions' => 'Mais ações',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Adquira Agora!',
+ 'pro_plan_feature1' => 'Sem Limite de Clientes',
+ 'pro_plan_feature2' => '+10 Modelos de faturas',
+ 'pro_plan_feature3' => 'URLs personalizadas - "SeuNome.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Sem "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Múltiplos usuários & Histórico de Atividades',
+ 'pro_plan_feature6' => 'Orçamentos & Pedidos',
+ 'pro_plan_feature7' => 'Campos personalizados',
+ 'pro_plan_feature8' => 'Opção para anexar PDFs aos e-mails',
+ 'resume' => 'Retormar',
+ 'break_duration' => 'Interromper',
+ 'edit_details' => 'Editar Detalhes',
+ 'work' => 'Trabalhar',
+ 'timezone_unset' => 'Por favor :link defina sua timezone',
+ 'click_here' => 'clique aqui',
+ 'email_receipt' => 'E-mail para envio do recibo de pagamento',
+ 'created_payment_emailed_client' => 'Pagamento informado e notificado ao cliente por e-mail',
+ 'add_company' => 'Adicionar Empresa',
+ 'untitled' => 'Sem Título',
+ 'new_company' => 'Nova Empresa',
+ 'associated_accounts' => 'Contas vinculadas',
+ 'unlinked_account' => 'Contas desvinculadas',
+ 'login' => 'Login',
+ 'or' => 'ou',
+ 'email_error' => 'Houve um problema ao enviar o e-mail',
+ 'confirm_recurring_timing' => 'Aviso: e-mails são enviados na hora de início.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Defina a data de vencimento padrãovencimento de fatura',
+ 'unlink_account' => 'Desvincular Conta',
+ 'unlink' => 'Desvincular',
+ 'show_address' => 'Mostrar Endereço',
+ 'show_address_help' => 'Solicitar endereço de cobrançao ao cliente',
+ 'update_address' => 'Atualizar Endereço',
+ 'update_address_help' => 'Atualizar endereço do cliente',
+ 'times' => 'Tempo',
+ 'set_now' => 'Agora',
+ 'dark_mode' => 'Modo Escuro',
+ 'dark_mode_help' => 'Usar fundo escuro para as barras laterais',
+ 'add_to_invoice' => 'Adicionar na fatura :invoice',
+ 'create_new_invoice' => 'Criar fatura',
+ 'task_errors' => 'Corrija os tempos sobrepostos',
+ 'from' => 'De',
+ 'to' => 'Para',
+ 'font_size' => 'Tamanho do Texto',
+ 'primary_color' => 'Cor Principal',
+ 'secondary_color' => 'Cor Secundaria',
+ 'customize_design' => 'Personalizar Modelo',
+ 'content' => 'Conteúdo',
+ 'styles' => 'Estilos',
+ 'defaults' => 'Padrões',
+ 'margins' => 'Margens',
+ 'header' => 'Cabeçalho',
+ 'footer' => 'Rodapé',
+ 'custom' => 'Personalizado',
+ 'invoice_to' => 'Fatura para',
+ 'invoice_no' => 'Fatura No.',
+ 'quote_no' => 'Cotação de número',
+ 'recent_payments' => 'Pagamentos Recentes',
+ 'outstanding' => 'Em Aberto',
+ 'manage_companies' => 'Gerenciar Empresas',
+ 'total_revenue' => 'Faturamento',
+ 'current_user' => 'Usuário',
+ 'new_recurring_invoice' => 'Nova Fatura Recorrente',
+ 'recurring_invoice' => 'Fatura Recorrente',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Fora do prazo para nova fatura recorrente, agendamento para :date',
+ 'created_by_invoice' => 'Criada a partir da Fatura :invoice',
+ 'primary_user' => 'Usuário Principal',
+ 'help' => 'Ajuda',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Data de vencimento',
+ 'quote_due_date' => 'Valido até',
+ 'valid_until' => 'Válido até',
+ 'reset_terms' => 'Resetar Condições',
+ 'reset_footer' => 'Resetar Rodapé',
+ 'invoice_sent' => ':count fatura enviada',
+ 'invoices_sent' => ':count faturas enviadas',
+ 'status_draft' => 'Rascunho',
+ 'status_sent' => 'Enviado',
+ 'status_viewed' => 'Visualizado',
+ 'status_partial' => 'Parcial',
+ 'status_paid' => 'Pago',
+ 'status_unpaid' => 'não pago',
+ 'status_all' => 'Todos',
+ 'show_line_item_tax' => 'Exibir taxas dos itens',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'Copie o código abaixo em seu website.',
+ 'iframe_url_help2' => 'Você pode testar clicando em \'Ver como destinatário\' em uma fatura.',
+ 'auto_bill' => 'Cobrança Automática',
+ 'military_time' => '24h',
+ 'last_sent' => 'Último Envio',
+ 'reminder_emails' => 'E-mails de Lembrete',
+ 'templates_and_reminders' => 'Modelos & Lembretes',
+ 'subject' => 'Assunto',
+ 'body' => 'Conteúdo',
+ 'first_reminder' => 'Primeiro Lembrete',
+ 'second_reminder' => 'Segundo Lembrete',
+ 'third_reminder' => 'Terceiro Lembrete',
+ 'num_days_reminder' => 'Dias após o vencimento',
+ 'reminder_subject' => 'Lembrente: Fatura :invoice de :account',
+ 'reset' => 'Resetar',
+ 'invoice_not_found' => 'A fatura requisitada não está disponível',
+ 'referral_program' => 'Programa de Indicação',
+ 'referral_code' => 'Código de Indicação',
+ 'last_sent_on' => 'Último envio em :date',
+ 'page_expire' => 'Esta página está expirando, :click_here para continuar trabalhando',
+ 'upcoming_quotes' => 'Próximos Orçamentos',
+ 'expired_quotes' => 'Orçamentos Expirados',
+ 'sign_up_using' => 'Acesse',
+ 'invalid_credentials' => 'Usuário e/ou senha inválidos',
+ 'show_all_options' => 'Mostrar todas as opções',
+ 'user_details' => 'Detalhes do Usuário',
+ 'oneclick_login' => 'Conta conectada',
+ 'disable' => 'Desabilitar',
+ 'invoice_quote_number' => 'Numero de Faturas e Orçamentos',
+ 'invoice_charges' => 'Encargos da Fatura',
+ 'notification_invoice_bounced' => 'Não foi possível entregar a Fatura :invoice para :contact.',
+ 'notification_invoice_bounced_subject' => 'Fatura :invoice não foi entregue',
+ 'notification_quote_bounced' => 'Não foi possível entregar o Orçamento :invoice para :contact.',
+ 'notification_quote_bounced_subject' => 'Orçamento :invoice não foi entregue',
+ 'custom_invoice_link' => 'Link de Fauturas Personalizado',
+ 'total_invoiced' => 'Faturas',
+ 'open_balance' => 'Em Aberto',
+ 'verify_email' => 'Um e-mail de verificação foi enviado para sua caixa de entrada..',
+ 'basic_settings' => 'Configurações Básicas',
+ 'pro' => 'Pro',
+ 'gateways' => 'Provedores de Pagamento',
+ 'next_send_on' => 'Próximo Envio: :date',
+ 'no_longer_running' => 'Esta fatura não está agendada',
+ 'general_settings' => 'Configurações Gerais',
+ 'customize' => 'Personalizar',
+ 'oneclick_login_help' => 'Vincule uma conta para acesar sem senha.',
+ 'referral_code_help' => 'Recomende nosso sistema.',
+ 'enable_with_stripe' => 'Habilite | Requer Stripe',
+ 'tax_settings' => 'Configurações de Taxas',
+ 'create_tax_rate' => 'Adicionar Taxa',
+ 'updated_tax_rate' => 'Taxa Atualizada',
+ 'created_tax_rate' => 'Taxa Adicionada',
+ 'edit_tax_rate' => 'Editar Taxa',
+ 'archive_tax_rate' => 'Arquivar Taxa',
+ 'archived_tax_rate' => 'Taxa Arquivada',
+ 'default_tax_rate_id' => 'Taxa Padrao',
+ 'tax_rate' => 'Taxa',
+ 'recurring_hour' => 'Hora Recorrente',
+ 'pattern' => 'Padrão',
+ 'pattern_help_title' => 'Ajuda para Padrões',
+ 'pattern_help_1' => 'Crie numeração personalizada para faturas e orçamentos utilzando padrões.',
+ 'pattern_help_2' => 'Variáveis disponíveis:',
+ 'pattern_help_3' => 'Exemplo, :example seria convertido para :value',
+ 'see_options' => 'Veja as Opções',
+ 'invoice_counter' => 'Contador de Faturas',
+ 'quote_counter' => 'Contador de Orçamentos',
+ 'type' => 'Tipo',
+ 'activity_1' => ':user cadastrou o cliente :client',
+ 'activity_2' => ':user arquivo o cliente :client',
+ 'activity_3' => ':user removeu o cliente :client',
+ 'activity_4' => ':user criou a fatura :invoice',
+ 'activity_5' => ':user atualizou a fatura :invoice',
+ 'activity_6' => ':user enviou a fatura :invoice para :contact',
+ 'activity_7' => ':contact visualizou a fatura :invoice',
+ 'activity_8' => ':user arquivou a fatura :invoice',
+ 'activity_9' => ':user removeu a fatura :invoice',
+ 'activity_10' => ':contact efetuou o pagamento de :payment para a fatura :invoice',
+ 'activity_11' => ':user atualizou o pagamento :payment',
+ 'activity_12' => ':user arquivou o pagamento :payment',
+ 'activity_13' => ':user removeu o pagamento :payment',
+ 'activity_14' => ':user adicionou crédito :credit',
+ 'activity_15' => ':user atualizou crédito :credit',
+ 'activity_16' => ':user arquivou crédito :credit',
+ 'activity_17' => ':user removeu crédito :credit',
+ 'activity_18' => ':user adicionou o orçamento :quote',
+ 'activity_19' => ':user atualizou o orçamento :quote',
+ 'activity_20' => ':user enviou o orçamento :quote para :contact',
+ 'activity_21' => ':contact visualizou o orçamento :quote',
+ 'activity_22' => ':user arquivou o orçamento :quote',
+ 'activity_23' => ':user removeu o orçamento :quote',
+ 'activity_24' => ':user restaurou o orçamento :quote',
+ 'activity_25' => ':user restaurou a fatura :invoice',
+ 'activity_26' => ':user restaurou o cliente :client',
+ 'activity_27' => ':user restaurou o pagamento :payment',
+ 'activity_28' => ':user restaurou o crédito :credit',
+ 'activity_29' => ':contact aprovou o orçamento :quote',
+ 'activity_30' => ':user criou :vendor',
+ 'activity_31' => ':user criou :vendor',
+ 'activity_32' => ':user apagou :vendor',
+ 'activity_33' => ':user restaurou o fornecedor :vendor',
+ 'activity_34' => ':user criou a despesa :expense',
+ 'activity_35' => ':user arquivou a despesa :expense',
+ 'activity_36' => ':user apagou a despesa :expense',
+ 'activity_37' => ':user restaurou a despesa :expense',
+ 'activity_42' => ':user criou a tarefa :task',
+ 'activity_43' => ':user atualizou a tarefa :task',
+ 'activity_44' => ':user arquivou a tarefa :task',
+ 'activity_45' => ':user apagou a tarefa :task',
+ 'activity_46' => ':user restaurou a tarefa :task',
+ 'activity_47' => ':user atualizou a despesa :expense',
+ 'payment' => 'Pagamento',
+ 'system' => 'Sistema',
+ 'signature' => 'Assinatura do E-mail',
+ 'default_messages' => 'Mensagens Padrões',
+ 'quote_terms' => 'Condições do Orçamento',
+ 'default_quote_terms' => 'Condições Padrões dos Orçamentos',
+ 'default_invoice_terms' => 'Definir condições padrões da fatura',
+ 'default_invoice_footer' => 'Definir padrão',
+ 'quote_footer' => 'Rodapé do Orçamento',
+ 'free' => 'Grátis',
+ 'quote_is_approved' => 'Aprovada com sucesso',
+ 'apply_credit' => 'Aplicar Crédito',
+ 'system_settings' => 'Configurações do Sistema',
+ 'archive_token' => 'Arquivar Token',
+ 'archived_token' => 'Token arquivado',
+ 'archive_user' => 'Arquivar Usuário',
+ 'archived_user' => 'Usuário arquivado',
+ 'archive_account_gateway' => 'Arquivar Provedor',
+ 'archived_account_gateway' => 'Provedor arquivado',
+ 'archive_recurring_invoice' => 'Arquivar Fatura Recorrente',
+ 'archived_recurring_invoice' => 'Fatura Recorrente arquivada',
+ 'delete_recurring_invoice' => 'Remover Fatura Recorrente',
+ 'deleted_recurring_invoice' => 'Fatura Recorrente removida',
+ 'restore_recurring_invoice' => 'Restaurar Fatura Recorrente',
+ 'restored_recurring_invoice' => 'Fatura Recorrente restaurada',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Arquivado',
+ 'untitled_account' => 'Empresa Sem Nome',
+ 'before' => 'Antes',
+ 'after' => 'Depois',
+ 'reset_terms_help' => 'Resetar para as condições padrões',
+ 'reset_footer_help' => 'Resetar para o rodapé padrão',
+ 'export_data' => 'Exportar Dados',
+ 'user' => 'Usuário',
+ 'country' => 'País',
+ 'include' => 'Incluir',
+ 'logo_too_large' => 'Sua logo tem :size, para uma melhor performance sugerimos que este tamanho não ultrapasse 200KB',
+ 'import_freshbooks' => 'Importar de FreshBooks',
+ 'import_data' => 'Importar Dados',
+ 'source' => 'Fonte',
+ 'csv' => 'CSV',
+ 'client_file' => 'Arquivo de Clientes',
+ 'invoice_file' => 'Arquivo de Faturas',
+ 'task_file' => 'Arquivo de Tarefas',
+ 'no_mapper' => 'Mapeamento inválido',
+ 'invalid_csv_header' => 'CSV com cabeçalho inválido',
+ 'client_portal' => 'Portal do Cliente',
+ 'admin' => 'Admin',
+ 'disabled' => 'Desabilitado',
+ 'show_archived_users' => 'Mostrar usuários arquivados',
+ 'notes' => 'Observações',
+ 'invoice_will_create' => 'faturas serão criadas',
+ 'invoices_will_create' => 'faturas serão criadas',
+ 'failed_to_import' => 'A importação dos seguintes registros falhou',
+ 'publishable_key' => 'Chave Publicável',
+ 'secret_key' => 'Chave Secreta',
+ 'missing_publishable_key' => 'Defina o sua chave publicável do Stripe para um processo de pagamento melhorado',
+ 'email_design' => 'Template de E-mail',
+ 'due_by' => 'Vencido em :date',
+ 'enable_email_markup' => 'Habilitar Marcação',
+ 'enable_email_markup_help' => 'Tornar mais fácil para os seus clientes efetuarem seus pagamentos, acrescentando marcação schema.org a seus e-mails.',
+ 'template_help_title' => 'Ajuda de Templates',
+ 'template_help_1' => 'Variáveis disponíveis:',
+ 'email_design_id' => 'Estilo de e-mails',
+ 'email_design_help' => 'Deixe seus e-mails mais profissionais com layouts HTML',
+ 'plain' => 'Plano',
+ 'light' => 'Claro',
+ 'dark' => 'Escuro',
+ 'industry_help' => 'Usado para fornecer comparações contra as médias das empresas de tamanho e indústria similar.',
+ 'subdomain_help' => 'Personalizar o link da fatura ou exibir a fatura em seu próprio site.',
+ 'website_help' => 'Mostre a fatura em um iFrame no seu website',
+ 'invoice_number_help' => 'Especifique um prefixo ou usar um padrão personalizado para definir dinamicamente o número da fatura.',
+ 'quote_number_help' => 'Especifique um prefixo ou usar um padrão personalizado para definir dinamicamente o número do orçamento.',
+ 'custom_client_fields_helps' => 'Adicionar uma entrada de texto na página Criar/Editar Cliente e, como opção, exiba o valor no PDF.',
+ 'custom_account_fields_helps' => 'Adicionar um rótulo e um valor para a seção detalhes da empresa do PDF.',
+ 'custom_invoice_fields_helps' => 'Adicionar uma entrada de texto na página Criar/Editar Fatura e, como opção, exiba o valor no PDF.',
+ 'custom_invoice_charges_helps' => 'Adicionar uma entrada de texto na página Criar/Editar Fatura e incluir nos subtotais da fatura.',
+ 'token_expired' => 'Token de acesso expirado. Tente novamente!',
+ 'invoice_link' => 'Link da Fatura',
+ 'button_confirmation_message' => 'Clique para confirmar seu endereço de e-mail.',
+ 'confirm' => 'Confirmar',
+ 'email_preferences' => 'Preferências de E-mails',
+ 'created_invoices' => ':count fatura(s) criadas com sucesso',
+ 'next_invoice_number' => 'O número da próxima fatura será :number.',
+ 'next_quote_number' => 'O número do próximo orçamento será :number.',
+ 'days_before' => 'dias antes de',
+ 'days_after' => 'dias depois de',
+ 'field_due_date' => 'data de vencimento',
+ 'field_invoice_date' => 'data da fatura',
+ 'schedule' => 'Agendamento',
+ 'email_designs' => 'Design de E-mails',
+ 'assigned_when_sent' => 'Assinar quando enviar',
+ 'white_label_purchase_link' => 'Adquira uma licença white label',
+ 'expense' => 'Despesa',
+ 'expenses' => 'Despesas',
+ 'new_expense' => 'Adicionar Despesa',
+ 'enter_expense' => 'Incluir Despesa',
+ 'vendors' => 'Fornecedor',
+ 'new_vendor' => 'Novo Fornecedor',
+ 'payment_terms_net' => 'Rede',
+ 'vendor' => 'Fornecedor',
+ 'edit_vendor' => 'Editar Fornecedor',
+ 'archive_vendor' => 'Arquivar Fornecedor',
+ 'delete_vendor' => 'Deletar Fornecedor',
+ 'view_vendor' => 'Visualizar Fornecedor',
+ 'deleted_expense' => 'Despesa excluída com sucesso',
+ 'archived_expense' => 'Despesa arquivada com sucesso',
+ 'deleted_expenses' => 'Despesas excluídas com sucesso',
+ 'archived_expenses' => 'Despesas arquivada com sucesso',
+ 'expense_amount' => 'Total de Despesas',
+ 'expense_balance' => 'Saldo de Despesas',
+ 'expense_date' => 'Data da Despesa',
+ 'expense_should_be_invoiced' => 'Esta despesa deve ser faturada?',
+ 'public_notes' => 'Notas Públicas',
+ 'invoice_amount' => 'Total da Fatura',
+ 'exchange_rate' => 'Taxa de Câmbio',
+ 'yes' => 'Sim',
+ 'no' => 'Não',
+ 'should_be_invoiced' => 'Deve ser Faturada',
+ 'view_expense' => 'Visualizar despesa # :expense',
+ 'edit_expense' => 'Editar Despesa',
+ 'archive_expense' => 'Arquivar Despesa',
+ 'delete_expense' => 'Deletar Despesa',
+ 'view_expense_num' => 'Despesa # :expense',
+ 'updated_expense' => 'Despesa atualizada com sucesso',
+ 'created_expense' => 'Despesa criada com sucesso',
+ 'enter_expense' => 'Incluir Despesa',
+ 'view' => 'Visualizar',
+ 'restore_expense' => 'Restaurar Despesa',
+ 'invoice_expense' => 'Faturar Despesa',
+ 'expense_error_multiple_clients' => 'Despesas não podem pertencer a clientes diferentes',
+ 'expense_error_invoiced' => 'Despeja já faturada',
+ 'convert_currency' => 'Converter moeda',
+ 'num_days' => 'Número de dias',
+ 'create_payment_term' => 'Criar Termo de Pagamento',
+ 'edit_payment_terms' => 'Editar Termos de Pagamento',
+ 'edit_payment_term' => 'Editar Termo de Pagamento',
+ 'archive_payment_term' => 'Arquivar Termo de Pagamento',
+ 'recurring_due_dates' => 'Data de Vencimento das Faturas Recorrentes',
+ 'recurring_due_date_help' => 'Definir automaticamente a data de vencimento da fatura.
+ Faturas em um ciclo mensal ou anual com vencimento anterior ou na data em que são criadas serão faturadas para o próximo mês. Faturas com vencimento no dia 29 ou 30 nos meses que não tem esse dia será faturada no último dia do mês..
+ Faturas em um clclo mensal com vencimento no dia da semana em que foi criada serão faturadas para a próxima semana.
+ Exemplo:
+
+ - Hoje é dia 15, vencimento no primeiro dia do mês. O Vencimento será no primeiro dia do próximo mês.
+ - Hoje é dia 15, vencimento no último dia do mês. O Vencimento será no último dia do mês corrente
+ - Hoje é dia 15, vencimento no dia 15. O venciemnto será no dia 15 do próximo mês.
+ - Hoje é Sexta-Feira, vencimento na primeira sexta-feira. O venciemnto será na próxima sexta-feira, não hoje.
+
',
+ 'due' => 'Vencimento',
+ 'next_due_on' => 'Próximo Vencimento: :date',
+ 'use_client_terms' => 'Usar condições do cliente',
+ 'day_of_month' => ':ordinal dia do mês ',
+ 'last_day_of_month' => 'Último dia do mês',
+ 'day_of_week_after' => ':ordinal :day depois',
+ 'sunday' => 'Domingo',
+ 'monday' => 'Segunda-Feira',
+ 'tuesday' => 'Terça-Feira',
+ 'wednesday' => 'Quarta-Feira',
+ 'thursday' => 'Quinta-Feira',
+ 'friday' => 'Sexta-Feira',
+ 'saturday' => 'Sábado',
+ 'header_font_id' => 'Fonte do Cabeçalho',
+ 'body_font_id' => 'Fonte dos Textos',
+ 'color_font_help' => 'Nota: A cor primária também é utilizada nos projetos do portal do cliente e-mail personalizado.',
+ 'live_preview' => 'Preview',
+ 'invalid_mail_config' => 'Falha ao enviar e-mail, verifique as configurações.',
+ 'invoice_message_button' => 'Para visualizar sua fatura de :amount, clique no botão abaixo.',
+ 'quote_message_button' => 'Para visualizar seu orçamento de :amount, clique no botão abaixo.',
+ 'payment_message_button' => 'Obrigado pelo seu pagamento de :amount.',
+ 'payment_type_direct_debit' => 'Débito',
+ 'bank_accounts' => 'Contas Bancárias',
+ 'add_bank_account' => 'Adicionar Conta Bancária',
+ 'setup_account' => 'Configurar Conta',
+ 'import_expenses' => 'Importar Despesas',
+ 'bank_id' => 'banco',
+ 'integration_type' => 'Tipo de Integração',
+ 'updated_bank_account' => 'Conta bancária atualizada com sucesso',
+ 'edit_bank_account' => 'Editar Conta Bancária',
+ 'archive_bank_account' => 'Arquivar Conta Bancária',
+ 'archived_bank_account' => 'Conta bancária arquivada com sucesso',
+ 'created_bank_account' => 'Conta bancária criada com sucesso',
+ 'validate_bank_account' => 'Validar Conta Bancária',
+ 'bank_password_help' => 'Nota: sua senha é transferida de forma segura e não será armazenada em nossos servidores.',
+ 'bank_password_warning' => 'Atenção: sua senha será transferida de forma não segura, considere habilitar HTTPS.',
+ 'username' => 'Usuário',
+ 'account_number' => 'Conta',
+ 'account_name' => 'Nome da Conta',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Aprovado',
+ 'quote_settings' => 'Configuração de Orçamentos',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Converter automaticamente um orçamento quando for aprovado pelo cliente.',
+ 'validate' => 'Validado',
+ 'info' => 'Info',
+ 'imported_expenses' => ':count_vendors fornecedor(s) e :count_expenses despesa(s) importadas com sucesso',
+ 'iframe_url_help3' => 'Nota: se o seu plano aceita detalhes do cartão de crédito recomendamos que seja habilitado o HTTPS em seu site.',
+ 'expense_error_multiple_currencies' => 'As despesas não podem ter diferentes moedas.',
+ 'expense_error_mismatch_currencies' => 'As configurações de moeda do cliente não coincide com a moeda nesta despesa.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Cabeçalho/Rodapé',
+ 'first_page' => 'primeira página',
+ 'all_pages' => 'todas as páginas',
+ 'last_page' => 'última página',
+ 'all_pages_header' => 'Mostrar cabeçalho on',
+ 'all_pages_footer' => 'Mostrar rodapé on',
+ 'invoice_currency' => 'Moeda da Fatura',
+ 'enable_https' => 'Recomendamos a utilização de HTTPS para receber os detalhes do cartão de crédito online.',
+ 'quote_issued_to' => 'Orçamento emitido para',
+ 'show_currency_code' => 'Código da Moeda',
+ 'free_year_message' => 'Sua conta agora é uma Conta Profissional por um ano, sem custo.',
+ 'trial_message' => 'Sua conta receberá duas semanas receberá duas semanas gratuitamente para testar nosso plano pro.',
+ 'trial_footer' => 'Seu período de teste expira em :count dias, :link para adquirir o plano pro.',
+ 'trial_footer_last_day' => 'Seu período de testes encerra hoje, :link para adquirir o plano pro.',
+ 'trial_call_to_action' => 'Iniciar período de testes',
+ 'trial_success' => 'Duas semanas de testes foi habilitado com sucesso',
+ 'overdue' => 'Vencido',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'Para ajustar suas configurações de notificações de e-mail acesse :link',
+ 'reset_password_footer' => 'Se você não solicitou a redefinição de sua senha por favor envie um e-mail para o nosso suporte: :email',
+ 'limit_users' => 'Desculpe, isto irá exceder o limite de :limit usuários',
+ 'more_designs_self_host_header' => 'Obtenha mais 6 modelos de faturas por apenas $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link apenas $:price para permitir um estilo personalizado e apoiar o nosso projecto.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link para remover a logo do Invoice Ninja contratando o plano profissional',
+ 'pro_plan_remove_logo_link' => 'Clique aqui',
+ 'invitation_status_sent' => 'Enviado',
+ 'invitation_status_opened' => 'Aberto',
+ 'invitation_status_viewed' => 'Visto',
+ 'email_error_inactive_client' => 'Não é possível enviar e-mails para clientes intativos',
+ 'email_error_inactive_contact' => 'Não é possível enviar e-mails para contatos intativos',
+ 'email_error_inactive_invoice' => 'Não é possível enviar e-mails em faturas intativas',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Registre sua conta para enviar e-mails',
+ 'email_error_user_unconfirmed' => 'Confirme sua conta para enviar e-mails',
+ 'email_error_invalid_contact_email' => 'E-mail do contato inválido',
+
+ 'navigation' => 'Navegação',
+ 'list_invoices' => 'Listar Faturas',
+ 'list_clients' => 'Listar Clientes',
+ 'list_quotes' => 'Listar Orçamentos',
+ 'list_tasks' => 'Listar Tarefas',
+ 'list_expenses' => 'Listar Despesas',
+ 'list_recurring_invoices' => 'Listar Faturas Recorrentes',
+ 'list_payments' => 'Listar Pagamentos',
+ 'list_credits' => 'Listar Créditos',
+ 'tax_name' => 'Nome da Taxa',
+ 'report_settings' => 'Configuração de Relatórios',
+ 'search_hotkey' => 'atalho /',
+
+ 'new_user' => 'Novo Usuário',
+ 'new_product' => 'Novo Produto',
+ 'new_tax_rate' => 'Nova Taxa de Juro',
+ 'invoiced_amount' => 'Total Faturado',
+ 'invoice_item_fields' => 'Campos de Ítens da Fatura',
+ 'custom_invoice_item_fields_help' => 'Adicionar um campo ao adicionar um ítem na fatura e exibir no PDF.',
+ 'recurring_invoice_number' => 'Número recorrente',
+ 'recurring_invoice_number_prefix_help' => 'Informe um prefixo para a numeração das faturas recorrentes. O valor padrão é \'R\'.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Faturas protegidas por senha',
+ 'enable_portal_password_help' => 'Permite definir uma senha para cada contato. Se uma senha for definida, o contato deverá informar sua senha antes de visualizar a fatura.',
+ 'send_portal_password' => 'Criar automaticamente',
+ 'send_portal_password_help' => 'Se uma senha não for definida, uma senha será gerada e enviada juntamente com a primeira fatura.',
+
+ 'expired' => 'Vencida',
+ 'invalid_card_number' => 'Cartão de Crédito inválido.',
+ 'invalid_expiry' => 'Data para expirar não é valida.',
+ 'invalid_cvv' => 'O código CVV não é válido.',
+ 'cost' => 'Custo',
+ 'create_invoice_for_sample' => 'Nota: cria sua primeira fatura para visualizar aqui.',
+
+ // User Permissions
+ 'owner' => 'Proprietário',
+ 'administrator' => 'Administrador',
+ 'administrator_help' => 'Permite usuário gerenciar usuários, configurações e alterar todos os cadastros',
+ 'user_create_all' => 'Criar clientes, faturas, etc.',
+ 'user_view_all' => 'Visualizar todos os clientes, faturas, etc.',
+ 'user_edit_all' => 'Editar todos os clientes, faturas, etc.',
+ 'gateway_help_20' => ':link para habilitar Sage Pay.',
+ 'gateway_help_21' => ':link para habilitar Sage Pay.',
+ 'partial_due' => 'Vencimento Parcial',
+ 'restore_vendor' => 'Restaurar Fornecedor',
+ 'restored_vendor' => 'Fornecedor restarurado com sucesso',
+ 'restored_expense' => 'Despesa restaurada com sucesso',
+ 'permissions' => 'Permissões',
+ 'create_all_help' => 'Permite o usuário criar e alterar todos os regitros',
+ 'view_all_help' => 'Permite usuario visualizar regitros que ele não criou',
+ 'edit_all_help' => 'Permite usuario editar regitros que ele não criou',
+ 'view_payment' => 'Visualizar Pagamento',
+
+ 'january' => 'Janeiro',
+ 'february' => 'Fevereiro',
+ 'march' => 'Março',
+ 'april' => 'Abril',
+ 'may' => 'Maio',
+ 'june' => 'Junho',
+ 'july' => 'Julho',
+ 'august' => 'Agosto',
+ 'september' => 'Setembro',
+ 'october' => 'Outubro',
+ 'november' => 'Novembro',
+ 'december' => 'Dezembro',
+
+ // Documents
+ 'documents_header' => 'Documents:',
+ 'email_documents_header' => 'Documents:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Documentos de Orçamento',
+ 'invoice_documents' => 'Documentos de Fatura',
+ 'expense_documents' => 'Documentos de Despesas',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Painel',
+ 'enable_client_portal_help' => 'Exibe ou esconde o portal do cliente.',
+ 'enable_client_portal_dashboard' => 'Painel',
+ 'enable_client_portal_dashboard_help' => 'Exibe ou esconde o painel no portal do cliente.',
+
+ // Plans
+ 'account_management' => 'Gerenciamento da Conta',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Monthly',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Month',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Preview',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Retornar ao App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Reembolsar Pagamento',
+ 'refund_max' => 'Máx:',
+ 'refund' => 'Reembolsar',
+ 'are_you_sure_refund' => 'Reembolsar pagamentos selecionados?',
+ 'status_pending' => 'Pendente',
+ 'status_completed' => 'Completo',
+ 'status_failed' => 'Falhou',
+ 'status_partially_refunded' => 'Parcialmente Reembolsado',
+ 'status_partially_refunded_amount' => ':amount Reembolsado',
+ 'status_refunded' => 'Reembolsado',
+ 'status_voided' => 'Cancelado',
+ 'refunded_payment' => 'Pagamento Reembolsado',
+ 'activity_39' => ':user cancelou :payment_amount pelo pagamento :payment',
+ 'activity_40' => ':user reembolsou :adjustment de :payment_amount do pagamento :payment',
+ 'card_expiration' => 'Venc: :expires',
+
+ 'card_creditcardother' => 'Desconhecido',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Aceita transferência para bancos dos Estados Unidos',
+ 'stripe_ach_help' => 'ACH também deve estar habilitado em :link.',
+ 'ach_disabled' => 'Existe outro gateway configurada para débito direto.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Cód Cliente',
+ 'secret' => 'Chave',
+ 'public_key' => 'Chave Pública',
+ 'plaid_optional' => '(opcional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Outros Provedores',
+ 'country_not_supported' => 'Este país não é suportado.',
+ 'invalid_routing_number' => 'O número de roteamento é inválido.',
+ 'invalid_account_number' => 'O número da conta e inválido.',
+ 'account_number_mismatch' => 'Números da conta não combinam.',
+ 'missing_account_holder_type' => 'Selecione se é uma conta individual ou empresarial.',
+ 'missing_account_holder_name' => 'Por favor, informe o nome do proprietário da conta.',
+ 'routing_number' => 'Número de Roteamento',
+ 'confirm_account_number' => 'Confirmar Número da Conta',
+ 'individual_account' => 'Conta Individual',
+ 'company_account' => 'Conta Empresarial',
+ 'account_holder_name' => 'Nome do Proprietário da Conta',
+ 'add_account' => 'Adicionar Conta',
+ 'payment_methods' => 'Formas de Pagamentos',
+ 'complete_verification' => 'Verificação Completa',
+ 'verification_amount1' => 'Total 1',
+ 'verification_amount2' => 'Total 2',
+ 'payment_method_verified' => 'Verificação completa com sucesso',
+ 'verification_failed' => 'Verificação falhou',
+ 'remove_payment_method' => 'Remover método de Pagamento',
+ 'confirm_remove_payment_method' => 'Deseja remover este método de pagamento?',
+ 'remove' => 'Remover',
+ 'payment_method_removed' => 'Método de pagamento removido.',
+ 'bank_account_verification_help' => 'Nós fizemos dois depósitos na sua conta com a descrição "VERIFICATION". Esses depósitos podem levar 1-2 dias úteis para aprecer no seu extrato. Por favor informe os valores de cada um deles abaixo.',
+ 'bank_account_verification_next_steps' => 'Nós fizemos dois depósitos na sua conta com a descrição "VERIFICATION". Esses depósitos podem levar 1-2 dias úteis para aprecer no seu extrato.
+Quando tiver os valores dos depósitos, volte a esta pagina e complete a verificação da sua conta.',
+ 'unknown_bank' => 'Banco Desconhecido',
+ 'ach_verification_delay_help' => 'Você poderá utilizar esta conta após a completar a verificação. A verficação normalmente leva 1-2 dias.',
+ 'add_credit_card' => 'Adicionar Cartão de Crédito',
+ 'payment_method_added' => 'Médodo de pagamento adicionado.',
+ 'use_for_auto_bill' => 'Usar para Cobrança Automática',
+ 'used_for_auto_bill' => 'Método de Pagamento Autobill',
+ 'payment_method_set_as_default' => 'Definir método de pagamento Autobill.',
+ 'activity_41' => ':payment_amount payment (:payment) falhou',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'Você deve :link.',
+ 'stripe_webhook_help_link_text' => 'adicionar esta URL como um endpoint no Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'Ouve um erro ao adicionar seu método de pagamento. Tente novamente.',
+ 'notification_invoice_payment_failed_subject' => 'Pagamento falhou para a Fatura :invoice',
+ 'notification_invoice_payment_failed' => 'U pagamento feito pelo Cliente :client para a Fatura :invoice falhou. O pagamento foi marcado como "erro" e :amount foi adicionado ao saldo do cliente.',
+ 'link_with_plaid' => 'Lincar Conta Instantâneamente com Plaid',
+ 'link_manually' => 'Linkar Manualmente',
+ 'secured_by_plaid' => 'Assegurado por Plaid',
+ 'plaid_linked_status' => 'Sua conta bancária no :bank',
+ 'add_payment_method' => 'Adicionar Método de Pagamento',
+ 'account_holder_type' => 'Tipo do Proprietário da Conta',
+ 'ach_authorization' => 'Eu autorizo :company a usa minha conta bancária para futuros pagamentos e, se necessário, creditar eletronicamente minha conta para corrigir débitos erradas. Eu entendo que eu poderei cancelar essa autorização a qualquer momento, removendo o método de pagamento ou contatando via email :email.',
+ 'ach_authorization_required' => 'Você deve permitir transações ACH.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Sempre',
+ 'opted_out' => 'Optado por',
+ 'opted_in' => 'Optou',
+ 'manage_auto_bill' => 'Gerenciar Cobrança Automática',
+ 'enabled' => 'Habilitado',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Habilitar pagamentos do PayPal através do BrainTree',
+ 'braintree_paypal_disabled_help' => 'O gateway PayPal está processando pagamentos do PayPal',
+ 'braintree_paypal_help' => 'Você deve também :link.',
+ 'braintree_paypal_help_link_text' => 'linkar o PayPal à sua conta do BrainTree',
+ 'token_billing_braintree_paypal' => 'Salvar detalhes do pagamento',
+ 'add_paypal_account' => 'Adicionar Conta do PayPal',
+
+
+ 'no_payment_method_specified' => 'Nenhum método de pagamento definido',
+ 'chart_type' => 'Tipo de Gráfico',
+ 'format' => 'Formato',
+ 'import_ofx' => 'Importar OFX',
+ 'ofx_file' => 'Arquivo OFX',
+ 'ofx_parse_failed' => 'Falha ao ler o arquivo OFX',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Acessar com WePay',
+ 'use_another_provider' => 'Usar outro provedor',
+ 'company_name' => 'Nome da Empresa',
+ 'wepay_company_name_help' => 'Isso vai aparecer na fatura do cartão de crédito do cliente.',
+ 'wepay_description_help' => 'O objetivo desta conta.',
+ 'wepay_tos_agree' => 'Concordo com :link.',
+ 'wepay_tos_link_text' => 'Termos de Serviço do WePay',
+ 'resend_confirmation_email' => 'Reenviar e-Mail de Confirmação',
+ 'manage_account' => 'Gerenciar Conta',
+ 'action_required' => 'Ação Obrigatória',
+ 'finish_setup' => 'Finalizar Configuração',
+ 'created_wepay_confirmation_required' => 'Por favor verifique seu e-mail e confirme seu endereço de e-mail com o WePay',
+ 'switch_to_wepay' => 'Mudar para WePay',
+ 'switch' => 'Mudar',
+ 'restore_account_gateway' => 'Restaurar Gateway',
+ 'restored_account_gateway' => 'Gateway restaurado com sucesso',
+ 'united_states' => 'Estados Unidos',
+ 'canada' => 'Canadá',
+ 'accept_debit_cards' => 'Aceitar Cartão de Débito',
+ 'debit_cards' => 'Cartões de Débito',
+
+ 'warn_start_date_changed' => 'A próxima fatura será enviada na nova data de início.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Data de início original',
+ 'new_start_date' => 'Nova data de início',
+ 'security' => 'Segurança',
+ 'see_whats_new' => 'Veja as novidades na versão v:version',
+ 'wait_for_upload' => 'Aguarde o upload do documento.',
+ 'upgrade_for_permissions' => 'Upgrade para o plano Enterprise para habilitar permissões.',
+ 'enable_second_tax_rate' => 'Ativar a especificação de segunda taxa',
+ 'payment_file' => 'Arquivo de Pagamento',
+ 'expense_file' => 'Arquivo de Despesa',
+ 'product_file' => 'Arquivo de Produto',
+ 'import_products' => 'Importar Produtos',
+ 'products_will_create' => 'produtos serão criados',
+ 'product_key' => 'Produto',
+ 'created_products' => ':count produto(s) criado(s)/atualizado(s)',
+ 'export_help' => 'Use JSON se você planeja importar os dados para o Invoice Ninja.
O Arquivo inclui clientes, produtos, faturas, orçamentos e pagamentos.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'Arquivo JSON',
+
+ 'view_dashboard' => 'Ver painel',
+ 'client_session_expired' => 'Sessão expirada',
+ 'client_session_expired_message' => 'Sua sessão expirou. Por favor, clique novamente no link enviado por seu e-mail.',
+
+ 'auto_bill_notification' => 'A Fatura será cobrada automaticamente por :payment_method em :due_date',
+ 'auto_bill_payment_method_bank_transfer' => 'conta bancária',
+ 'auto_bill_payment_method_credit_card' => 'cartão de crédito',
+ 'auto_bill_payment_method_paypal' => 'Conta PayPal',
+ 'auto_bill_notification_placeholder' => 'Essa fatura se cobrada automaticamente para o seu cartão de crédito na data de vencimento.',
+ 'payment_settings' => 'Configurações de Pagamento',
+
+ 'on_send_date' => 'Da data de envio',
+ 'on_due_date' => 'Na data de vencimento',
+ 'auto_bill_ach_date_help' => 'ACH sempre fará a cobrança automaticamente na data de vencimento.',
+ 'warn_change_auto_bill' => 'Pelas regras NACHA, mudanças nessa fatura podem cancelar auto cobrança por ACH.',
+
+ 'bank_account' => 'Conta Bancária',
+ 'payment_processed_through_wepay' => 'Pagamentos ACH serão processados usando WePay.',
+ 'wepay_payment_tos_agree' => 'Eu concordo com os :terms e :privacy_policy do WePay.',
+ 'privacy_policy' => 'Política de Privacidade',
+ 'wepay_payment_tos_agree_required' => 'Você deve concordar com os Termos de Serviço e Política de Privacidade do WePay.',
+ 'ach_email_prompt' => 'Digite seu email:',
+ 'verification_pending' => 'Verificação Pendente',
+
+ 'update_font_cache' => 'Por favor, force a atualização da página para atualizar o cache de fontes.',
+ 'more_options' => 'Mais opções',
+ 'credit_card' => 'Cartão de Crédito',
+ 'bank_transfer' => 'Transferência Bancária',
+ 'no_transaction_reference' => 'Nós não recebemos a transação de pagamento do gateway.',
+ 'use_bank_on_file' => 'Usar Banco em Arquivo',
+ 'auto_bill_email_message' => 'Essa fatura será cobrada automaticamente pelo método de pagamento em arquivo na data de vencimento.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Adicionado :date',
+ 'failed_remove_payment_method' => 'Falha ao remover o método de pagamento',
+ 'gateway_exists' => 'Esse gateway já existe',
+ 'manual_entry' => 'Entrada manual',
+ 'start_of_week' => 'Primeiro dia da Semana',
+
+ // Frequencies
+ 'freq_inactive' => 'Inativo',
+ 'freq_daily' => 'Diariamente',
+ 'freq_weekly' => 'Semanalmente',
+ 'freq_biweekly' => 'Duas vezes por semana',
+ 'freq_two_weeks' => '2 semanas',
+ 'freq_four_weeks' => '4 semanas',
+ 'freq_monthly' => 'Mensalmente',
+ 'freq_three_months' => '3 meses',
+ 'freq_four_months' => '4 meses',
+ 'freq_six_months' => '6 meses',
+ 'freq_annually' => 'Anualmente',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Aplicar Crédito',
+ 'payment_type_Bank Transfer' => 'Transferência Bancária',
+ 'payment_type_Cash' => 'Dinheiro',
+ 'payment_type_Debit' => 'Débito',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Cartão Visa',
+ 'payment_type_MasterCard' => 'Cartão MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Cartão Discover',
+ 'payment_type_Diners Card' => 'Cartão Diners',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Outro Cartão de Crédito',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Cheque',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'Débito Direto SEPA',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Contabilidade e Jurídico',
+ 'industry_Advertising' => 'Publicidade e Propaganda',
+ 'industry_Aerospace' => 'Aeroespacial',
+ 'industry_Agriculture' => 'Agricultura',
+ 'industry_Automotive' => 'Automotivo',
+ 'industry_Banking & Finance' => 'Bancos e Financeiras',
+ 'industry_Biotechnology' => 'Biotecnologia',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Serviços Empresariais',
+ 'industry_Commodities & Chemicals' => 'Commodities e Produtos Químicos',
+ 'industry_Communications' => 'Comunicações',
+ 'industry_Computers & Hightech' => 'Computadores e Tecnologia',
+ 'industry_Defense' => 'Defesa',
+ 'industry_Energy' => 'Energia',
+ 'industry_Entertainment' => 'Entretenimento',
+ 'industry_Government' => 'Governo',
+ 'industry_Healthcare & Life Sciences' => 'Saúde e Ciências',
+ 'industry_Insurance' => 'Seguros',
+ 'industry_Manufacturing' => 'Manufatura',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Mídia',
+ 'industry_Nonprofit & Higher Ed' => 'Sem Fins Lucrativos e Educação',
+ 'industry_Pharmaceuticals' => 'Farmacêuticos',
+ 'industry_Professional Services & Consulting' => 'Serviços Profissionais e Consultoria',
+ 'industry_Real Estate' => 'Imóveis',
+ 'industry_Restaurant & Catering' => 'Restaurantes e Bufês',
+ 'industry_Retail & Wholesale' => 'Atacado e Varejo',
+ 'industry_Sports' => 'Esportes',
+ 'industry_Transportation' => 'Transportes',
+ 'industry_Travel & Luxury' => 'Viagens e Luxo',
+ 'industry_Other' => 'Outros',
+ 'industry_Photography' => 'Fotografia',
+
+ // Countries
+ 'country_Afghanistan' => 'Afeganistão',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armênia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Bélgica',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Butão',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bósnia e Herzegovina',
+ 'country_Botswana' => 'Botsuana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brasil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'Território Oceânico das Índias Britânicas',
+ 'country_Solomon Islands' => 'Ilhas Salomão',
+ 'country_Virgin Islands, British' => 'Ilhas Virgens Britânicas',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgária',
+ 'country_Myanmar' => 'Mianmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Camboja',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canadá',
+ 'country_Cape Verde' => 'Cabo Verde',
+ 'country_Cayman Islands' => 'Ilhas Cayman',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chade',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan (Província da China)',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Ilhas Cocos (Keeling)',
+ 'country_Colombia' => 'Colômbia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo (República Democrática do)',
+ 'country_Cook Islands' => 'Ilhas Cook',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croácia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Chipre',
+ 'country_Czech Republic' => 'República Tcheca',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Dinamarca',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'República Dominicana',
+ 'country_Ecuador' => 'Equador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Etiópia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estônia',
+ 'country_Faroe Islands' => 'Ilhas Faroe',
+ 'country_Falkland Islands (Malvinas)' => 'Ilhas Falkland (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finlândia',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'França',
+ 'country_French Guiana' => 'Guiana Francesa',
+ 'country_French Polynesia' => 'Polinésia Francesa',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabão',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Alemanha',
+ 'country_Ghana' => 'Gana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Grécia',
+ 'country_Greenland' => 'Groenlândia',
+ 'country_Grenada' => 'Granada',
+ 'country_Guadeloupe' => 'Guadalupe',
+ 'country_Guam' => 'Guam',
+ 'country_Guatemala' => 'Guatemala',
+ 'country_Guinea' => 'Guinea',
+ 'country_Guyana' => 'Guiana',
+ 'country_Haiti' => 'Haiti',
+ 'country_Heard Island and McDonald Islands' => 'Heard Island and McDonald Islands',
+ 'country_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungria',
+ 'country_Iceland' => 'Islândia',
+ 'country_India' => 'Índia',
+ 'country_Indonesia' => 'Indonésia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraque',
+ 'country_Ireland' => 'Irlanda',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Itália',
+ 'country_Côte d\'Ivoire' => 'Costa do Marfim',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japão',
+ 'country_Kazakhstan' => 'Cazaquistão',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Quênia',
+ 'country_Korea, Democratic People\'s Republic of' => 'Coreia (República Popular Democrática da)',
+ 'country_Korea, Republic of' => 'Coreia (República da)',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Quirguistão',
+ 'country_Lao People\'s Democratic Republic' => 'Lao (República Democrática Popular do)',
+ 'country_Lebanon' => 'Líbano',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Libéria',
+ 'country_Libya' => 'Líbia',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lituânia',
+ 'country_Luxembourg' => 'Luxemburgo',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malásia',
+ 'country_Maldives' => 'Maldivas',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinica',
+ 'country_Mauritania' => 'Mauritânia',
+ 'country_Mauritius' => 'Maurício',
+ 'country_Mexico' => 'México',
+ 'country_Monaco' => 'Mônaco',
+ 'country_Mongolia' => 'Mongólia',
+ 'country_Moldova, Republic of' => 'Moldávia (República da)',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Marrocos',
+ 'country_Mozambique' => 'Moçambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namíbia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'Nova Zelândia',
+ 'country_Nicaragua' => 'Nicarágua',
+ 'country_Niger' => 'Níger',
+ 'country_Nigeria' => 'Nigéria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Ilhas Norfolk',
+ 'country_Norway' => 'Noruega',
+ 'country_Northern Mariana Islands' => 'Northern Mariana Islands',
+ 'country_United States Minor Outlying Islands' => 'United States Minor Outlying Islands',
+ 'country_Micronesia, Federated States of' => 'Micronésia (Estados Federados da)',
+ 'country_Marshall Islands' => 'Ilhas Marshall',
+ 'country_Palau' => 'Palau',
+ 'country_Pakistan' => 'Paquistão',
+ 'country_Panama' => 'Panamá',
+ 'country_Papua New Guinea' => 'Papua Nova Guiné',
+ 'country_Paraguay' => 'Paraguai',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Filipinas',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Polônia',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guiné-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Porto Rico',
+ 'country_Qatar' => 'Catar',
+ 'country_Réunion' => 'Reunião',
+ 'country_Romania' => 'Romênia',
+ 'country_Russian Federation' => 'Federação Russa',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'São Tome and Príncipe',
+ 'country_Saudi Arabia' => 'Arábia Saudita',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seicheles',
+ 'country_Sierra Leone' => 'Serra Leoa',
+ 'country_Singapore' => 'Singapura',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Vietnã',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'África do Sul',
+ 'country_Zimbabwe' => 'Zimbábue',
+ 'country_Spain' => 'Espanha',
+ 'country_South Sudan' => 'Sudão do Sul',
+ 'country_Sudan' => 'Sudão',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Suazilândia',
+ 'country_Sweden' => 'Suécia',
+ 'country_Switzerland' => 'Suíça',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Tailândia',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad e Tobago',
+ 'country_United Arab Emirates' => 'Emirados Árabes Unidos',
+ 'country_Tunisia' => 'Tunísia',
+ 'country_Turkey' => 'Turquia',
+ 'country_Turkmenistan' => 'Turcomenistão',
+ 'country_Turks and Caicos Islands' => 'Ilhas Turks e Caicos',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egito',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Ilha de Man',
+ 'country_Tanzania, United Republic of' => 'Tanzânia (República Unida da)',
+ 'country_United States' => 'Estados Unidos',
+ 'country_Virgin Islands, U.S.' => 'Ilhas Virgens (EUA)',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguai',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela (República Bolivariana da)',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Iêmen',
+ 'country_Zambia' => 'Zâmbia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Português do Brasil',
+ 'lang_Croatian' => 'Croata',
+ 'lang_Czech' => 'Tcheco',
+ 'lang_Danish' => 'Dinamarquês',
+ 'lang_Dutch' => 'Holandês',
+ 'lang_English' => 'Inglês',
+ 'lang_French' => 'Francês',
+ 'lang_French - Canada' => 'Francês (Canadá)',
+ 'lang_German' => 'Alemão',
+ 'lang_Italian' => 'Italiano',
+ 'lang_Japanese' => 'Japonês',
+ 'lang_Lithuanian' => 'Lituano',
+ 'lang_Norwegian' => 'Norueguês',
+ 'lang_Polish' => 'Polonês',
+ 'lang_Spanish' => 'Espanhol',
+ 'lang_Spanish - Spain' => 'Espanhol (Espanha)',
+ 'lang_Swedish' => 'Sueco',
+ 'lang_Albanian' => 'Albanês',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'Inglês (Reino Unido)',
+ 'lang_Slovenian' => 'Esloveno',
+ 'lang_Finnish' => 'Finlandês',
+ 'lang_Romanian' => 'Romeno',
+ 'lang_Turkish - Turkey' => 'Turco (Turquia)',
+ 'lang_Portuguese - Brazilian' => 'Português - Brasil',
+ 'lang_Portuguese - Portugal' => 'Português (Portugal)',
+ 'lang_Thai' => 'Tailandês',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Contabilidade e Jurídico',
+ 'industry_Advertising' => 'Publicidade e Propaganda',
+ 'industry_Aerospace' => 'Aeroespacial',
+ 'industry_Agriculture' => 'Agricultura',
+ 'industry_Automotive' => 'Automotivo',
+ 'industry_Banking & Finance' => 'Bancos e Financeiras',
+ 'industry_Biotechnology' => 'Biotecnologia',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Serviços Empresariais',
+ 'industry_Commodities & Chemicals' => 'Commodities e Produtos Químicos',
+ 'industry_Communications' => 'Comunicações',
+ 'industry_Computers & Hightech' => 'Computadores e Tecnologia',
+ 'industry_Defense' => 'Defesa',
+ 'industry_Energy' => 'Energia',
+ 'industry_Entertainment' => 'Entretenimento',
+ 'industry_Government' => 'Governo',
+ 'industry_Healthcare & Life Sciences' => 'Saúde e Ciências',
+ 'industry_Insurance' => 'Seguros',
+ 'industry_Manufacturing' => 'Manufatura',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Mídia',
+ 'industry_Nonprofit & Higher Ed' => 'Sem Fins Lucrativos e Educação',
+ 'industry_Pharmaceuticals' => 'Farmacêuticos',
+ 'industry_Professional Services & Consulting' => 'Serviços Profissionais e Consultoria',
+ 'industry_Real Estate' => 'Imóveis',
+ 'industry_Retail & Wholesale' => 'Atacado e Varejo',
+ 'industry_Sports' => 'Esportes',
+ 'industry_Transportation' => 'Transportes',
+ 'industry_Travel & Luxury' => 'Viagens e Luxo',
+ 'industry_Other' => 'Outros',
+ 'industry_Photography' =>'Fotografia',
+
+ 'view_client_portal' => 'Ver portal do cliente',
+ 'view_portal' => 'Ver portal',
+ 'vendor_contacts' => 'Contatos do fornecedor',
+ 'all' => 'Todos',
+ 'selected' => 'Selecionados',
+ 'category' => 'Categoria',
+ 'categories' => 'Categorias',
+ 'new_expense_category' => 'Nova Categoria de Despesas',
+ 'edit_category' => 'Editar Categoria',
+ 'archive_expense_category' => 'Arquivar Categoria',
+ 'expense_categories' => 'Categorias de Despesas',
+ 'list_expense_categories' => 'Exibir Categorias de Despesas',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Adicionar impostos',
+ 'min_to_max_users' => 'De :min a :max usuários',
+ 'max_users_reached' => 'A quantidade máxima de usuários foi atingida.',
+ 'buy_now_buttons' => 'Botões Compre Já',
+ 'landing_page' => 'Página de Destino',
+ 'payment_type' => 'Tipo de Pagamento',
+ 'form' => 'Formulário',
+ 'link' => 'Link',
+ 'fields' => 'Campos',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Atenção: o cliente e a fatura serão criados mesmo que a transação não seja completada.',
+ 'buy_now_buttons_disabled' => 'Este recurso exige que um produto seja criado e um gateway de pagamento seja configurado.',
+ 'enable_buy_now_buttons_help' => 'Ativar suporte aos botões Compre Já',
+ 'changes_take_effect_immediately' => 'Atenção: as alterações serão aplicadas imediatamente',
+ 'wepay_account_description' => 'Gateway de pagamentos para o Invoice Ninja',
+ 'payment_error_code' => 'Ocorreu um erro ao processar o pagamento [:code]. Por favor tente novamente mais tarde.',
+ 'standard_fees_apply' => 'Taxas: 2,9% (cartão de crédito) ou 1,2% (transferência bancária) + US$ 0,30 por transação bem sucedida.',
+ 'limit_import_rows' => 'Os dados devem ser importados em lotes de :count registros ou menos',
+ 'error_title' => 'Ocorreu um erro',
+ 'error_contact_text' => 'Auxilie-nos informando do erro através do e-mail :mailaddress',
+ 'no_undo' => 'Aviso: esta operação não pode ser desfeita.',
+ 'no_contact_selected' => 'Selecione um contato',
+ 'no_client_selected' => 'Selecione um cliente',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type em arquivo',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Sua fatura foi enviada.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Adicionar 1 :product',
+ 'not_authorized' => 'Você não possui autorização',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'Sua conta foi verificada.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'O código está incorreto',
+ 'security_code_email_subject' => 'Código de segurança do Invoice Ninja Bot',
+ 'security_code_email_line1' => 'Este é o seu código de segurança do Invoice Ninja Bot.',
+ 'security_code_email_line2' => 'Atenção: ele irá expirar em 10 minutos.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'Exibir Produtos',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Aviso',
+ 'self-update' => 'Atualização',
+ 'update_invoiceninja_title' => 'Atualizar o Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'Uma nova versão do Invoice Ninja está disponível.',
+ 'update_invoiceninja_unavailable' => 'Nenhuma nova versão está disponível.',
+ '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_update_start' => 'Atualizar agora',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Day',
+ 'week' => 'Week',
+ 'month' => 'Month',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Reports',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Máx',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Date Range',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'Primeiro mês do ano',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Annual revenue',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Vendor',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Invoice',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Seu "White Label" expirou, por favor, considere uma nova assinatura para contribuir para o nosso projeto.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Crédito emitido para',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Seus Créditos',
+ 'credit_number' => 'Número do Crédito',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'Versão do aplicativo',
+ 'ofx_version' => 'Versão do OFX',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run php artisan ninja:update-key
',
+ 'charge_late_fee' => 'Cobrar Multa por Atraso',
+ 'late_fee_amount' => 'Multa por Atraso (Valor)',
+ 'late_fee_percent' => 'Multa por Atraso (Porcentagem)',
+ 'late_fee_added' => 'Multa por atraso adicionada em :date',
+ 'download_invoice' => 'Baixar Fatura',
+ 'download_quote' => 'Baixar Orçamento',
+ 'invoices_are_attached' => 'Os PDFs da sua fatura estão em anexo.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Copiar Despesa',
+ 'default_documents' => 'Documentos Padrão',
+ 'send_email_to_client' => 'Enviar e-mail para o cliente',
+ 'refund_subject' => 'Estorno Processado',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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' => 'Real Brasileiro',
+ '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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'Primeiro Imposto',
+ 'tax2' => 'Segundo Imposto',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Formato de exportação',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recuperar Licença',
+ 'purchase' => 'Comprar',
+ 'recover' => 'Recuperar',
+ 'apply' => 'Aplicar',
+ 'recover_white_label_header' => 'Recuperar Licença White Label',
+ 'apply_white_label_header' => 'Aplicar Licença White Label',
+ 'videos' => 'Vídeos',
+ 'video' => 'Vídeo',
+ 'return_to_invoice' => 'Retornar à Fatura',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Data de vencimento parcial',
+ 'task_fields' => 'Campos de tarefas',
+ 'product_fields_help' => 'Arraste e solte campos para mudar a ordem',
+ 'custom_value1' => 'Valor personalizado',
+ 'custom_value2' => 'Valor personalizado',
+ 'enable_two_factor' => 'Autenticação em 2 passos',
+ 'enable_two_factor_help' => 'Use seu telefone para confirmar sua identidade quando estiver entrando no sistema',
+ 'two_factor_setup' => 'Configuração em 2 passos',
+ 'two_factor_setup_help' => 'Scaneie o código de barras com um app compatível com :link',
+ 'one_time_password' => 'Senha para um acesso',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Ativação de Autenticação em 2 passos com sucesso.',
+ 'add_product' => 'Adicionar Produto',
+ 'email_will_be_sent_on' => 'Nota: o email será enviado em :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'Nova proposta',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'Ver Proposta',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/pt_BR/validation.php b/resources/lang/pt_BR/validation.php
new file mode 100644
index 000000000000..9b697397e3a9
--- /dev/null
+++ b/resources/lang/pt_BR/validation.php
@@ -0,0 +1,106 @@
+ ":attribute deve ser aceito.",
+"active_url" => ":attribute não é uma URL válida.",
+"after" => ":attribute deve ser uma data maior que :date.",
+"alpha" => ":attribute deve conter apenas letras.",
+"alpha_dash" => ":attribute pode conter apenas letras, número e hífens",
+"alpha_num" => ":attribute pode conter apenas letras e números.",
+"array" => ":attribute deve ser uma lista.",
+"before" => ":attribute deve ser uma data anterior a :date.",
+"between" => array(
+ "numeric" => ":attribute deve estar entre :min - :max.",
+ "file" => ":attribute deve estar entre :min - :max kilobytes.",
+ "string" => ":attribute deve estar entre :min - :max caracteres.",
+ "array" => ":attribute deve conter entre :min - :max itens.",
+ ),
+"confirmed" => ":attribute confirmação não corresponde.",
+"date" => ":attribute não é uma data válida.",
+"date_format" => ":attribute não satisfaz o formato :format.",
+"different" => ":attribute e :other devem ser diferentes.",
+"digits" => ":attribute deve conter :digits dígitos.",
+"digits_between" => ":attribute deve conter entre :min e :max dígitos.",
+"email" => ":attribute está em um formato inválido.",
+"exists" => "A opção selecionada :attribute é inválida.",
+"image" => ":attribute deve ser uma imagem.",
+"in" => "A opção selecionada :attribute é inválida.",
+"integer" => ":attribute deve ser um número inteiro.",
+"ip" => ":attribute deve ser um endereço IP válido.",
+"max" => array(
+ "numeric" => ":attribute não pode ser maior que :max.",
+ "file" => ":attribute não pode ser maior que :max kilobytes.",
+ "string" => ":attribute não pode ser maior que :max caracteres.",
+ "array" => ":attribute não pode conter mais que :max itens.",
+ ),
+"mimes" => ":attribute deve ser um arquivo do tipo: :values.",
+"min" => array(
+ "numeric" => ":attribute não deve ser menor que :min.",
+ "file" => ":attribute deve ter no mínimo :min kilobytes.",
+ "string" => ":attribute deve conter no mínimo :min caracteres.",
+ "array" => ":attribute deve conter ao menos :min itens.",
+ ),
+"not_in" => "A opção selecionada :attribute é inválida.",
+"numeric" => ":attribute deve ser um número.",
+"regex" => ":attribute está em um formato inválido.",
+"required" => ":attribute é um campo obrigatório.",
+"required_if" => ":attribute é necessário quando :other é :value.",
+"required_with" => ":attribute é obrigatório quando :values está presente.",
+"required_without" => ":attribute é obrigatório quando :values não está presente.",
+"same" => ":attribute e :other devem corresponder.",
+"size" => array(
+ "numeric" => ":attribute deve ter :size.",
+ "file" => ":attribute deve ter :size kilobytes.",
+ "string" => ":attribute deve conter :size caracteres.",
+ "array" => ":attribute deve conter :size itens.",
+ ),
+"unique" => ":attribute já está sendo utilizado.",
+"url" => ":attribute está num formato inválido.",
+
+"positive" => ":attribute deve ser maior que zero.",
+"has_credit" => "O cliente não possui crédito suficiente.",
+"notmasked" => "Os valores são mascarados",
+"less_than" => ':attribute deve ser menor que :value',
+"has_counter" => 'O valor deve conter {$counter}',
+"valid_contacts" => "Todos os contatos devem conter um e-mail ou nome",
+"valid_invoice_items" => "Esta fatura excedeu o número mximo de itens",
+
+/*
+|--------------------------------------------------------------------------
+| Custom Validation Language Lines
+|--------------------------------------------------------------------------
+|
+| Here you may specify custom validation messages for attributes using the
+| convention "attribute.rule" to name the lines. This makes it quick to
+| specify a specific custom language line for a given attribute rule.
+|
+*/
+
+'custom' => array(),
+
+/*
+|--------------------------------------------------------------------------
+| Custom Validation Attributes
+|--------------------------------------------------------------------------
+|
+| The following language lines are used to swap attribute place-holders
+| with something more reader friendly such as E-Mail Address instead
+| of "email". This simply helps us make messages a little cleaner.
+|
+*/
+
+'attributes' => array(),
+
+);
diff --git a/resources/lang/pt_PT/pagination.php b/resources/lang/pt_PT/pagination.php
new file mode 100644
index 000000000000..39b1c02096a4
--- /dev/null
+++ b/resources/lang/pt_PT/pagination.php
@@ -0,0 +1,20 @@
+ '« Anterior',
+
+'next' => 'Próximo »',
+
+);
diff --git a/resources/lang/pt_PT/passwords.php b/resources/lang/pt_PT/passwords.php
new file mode 100644
index 000000000000..71a5b54d51ce
--- /dev/null
+++ b/resources/lang/pt_PT/passwords.php
@@ -0,0 +1,22 @@
+ "A palavra-passe deve conter pelo menos seis caracteres e combinar com a confirmação.",
+ "user" => "Utilizador não encontrado.",
+ "token" => "Token inválido.",
+ "sent" => "Link para reposição da palavra-passe enviado por email!",
+ "reset" => "Palavra-passe reposta!",
+
+];
diff --git a/resources/lang/pt_PT/reminders.php b/resources/lang/pt_PT/reminders.php
new file mode 100644
index 000000000000..4c0a422c77c6
--- /dev/null
+++ b/resources/lang/pt_PT/reminders.php
@@ -0,0 +1,24 @@
+ "As palavras-passe devem conter no mínimo seis caracteres e devem ser iguais.",
+
+"user" => "Não foi encontrado um utilizador com o endereço de email indicado.",
+
+"token" => "Este token de redefinição de palavra-passe é inválido.",
+
+"sent" => "Lembrete de palavra-passe enviado!",
+
+);
diff --git a/resources/lang/pt_PT/texts.php b/resources/lang/pt_PT/texts.php
new file mode 100644
index 000000000000..6b29fae07cdd
--- /dev/null
+++ b/resources/lang/pt_PT/texts.php
@@ -0,0 +1,2864 @@
+ 'Organização',
+ 'name' => 'Nome',
+ 'website' => 'Website',
+ 'work_phone' => 'Telefone',
+ 'address' => 'Morada',
+ 'address1' => 'Rua',
+ 'address2' => 'Complemento',
+ 'city' => 'Cidade',
+ 'state' => 'Distrito',
+ 'postal_code' => 'Código Postal',
+ 'country_id' => 'País',
+ 'contacts' => 'Contatos',
+ 'first_name' => 'Primeiro Nome',
+ 'last_name' => 'Último Nome',
+ 'phone' => 'Telefone',
+ 'email' => 'E-mail',
+ 'additional_info' => 'Informações Adicionais',
+ 'payment_terms' => 'Condições de Pagamento',
+ 'currency_id' => 'Moeda',
+ 'size_id' => 'Tamanho da empresa',
+ 'industry_id' => 'Indústria',
+ 'private_notes' => 'Notas Privadas',
+ 'invoice' => 'Nota de Pag.',
+ 'client' => 'Cliente',
+ 'invoice_date' => 'Data da NP',
+ 'due_date' => 'Data de Vencimento',
+ 'invoice_number' => 'Número NP',
+ 'invoice_number_short' => 'NP#',
+ 'po_number' => 'Núm. Ordem de Serviço',
+ 'po_number_short' => 'OS #',
+ 'frequency_id' => 'Frequência',
+ 'discount' => 'Desconto',
+ 'taxes' => 'Impostos',
+ 'tax' => 'Imposto',
+ 'item' => 'Item',
+ 'description' => 'Descrição',
+ 'unit_cost' => 'Custo Unitário',
+ 'quantity' => 'Quantidade',
+ 'line_total' => 'Total',
+ 'subtotal' => 'Subtotal',
+ 'paid_to_date' => 'Pago até à data',
+ 'balance_due' => 'Valor',
+ 'invoice_design_id' => 'Modelo',
+ 'terms' => 'Condições',
+ 'your_invoice' => 'A sua Nota de Pagamento',
+ 'remove_contact' => 'Remover contato',
+ 'add_contact' => 'Adicionar contato',
+ 'create_new_client' => 'Criar novo cliente',
+ 'edit_client_details' => 'Editar detalhes do cliente',
+ 'enable' => 'Ativar',
+ 'learn_more' => 'Saber mais',
+ 'manage_rates' => 'Gerir taxas',
+ 'note_to_client' => 'Observações',
+ 'invoice_terms' => 'Condições da Nota de Pagamento',
+ 'save_as_default_terms' => 'Guardar como condição padrão',
+ 'download_pdf' => 'Download PDF',
+ 'pay_now' => 'Pagar agora',
+ 'save_invoice' => 'Guardar Nota Pag.',
+ 'clone_invoice' => 'Clone To Invoice',
+ 'archive_invoice' => 'Arquivar Nota Pag.',
+ 'delete_invoice' => 'Apagar Nota Pag.',
+ 'email_invoice' => 'Enviar Nota Pag.',
+ 'enter_payment' => 'Introduzir Pag.',
+ 'tax_rates' => 'Impostos',
+ 'rate' => 'Valor',
+ 'settings' => 'Definições',
+ 'enable_invoice_tax' => 'Permitir especificar o imposto da nota de pagamento',
+ 'enable_line_item_tax' => 'Permitir especificar os impostos por item',
+ 'dashboard' => 'Dashboard',
+ 'clients' => 'Clientes',
+ 'invoices' => 'Notas Pag.',
+ 'payments' => 'Pagamentos',
+ 'credits' => 'Créditos',
+ 'history' => 'Histórico',
+ 'search' => 'Pesquisa',
+ 'sign_up' => 'Registar',
+ 'guest' => 'Convidado',
+ 'company_details' => 'Detalhes da Empresa',
+ 'online_payments' => 'Pagamentos Online',
+ 'notifications' => 'Notifications',
+ 'import_export' => 'Importar/Exportar',
+ 'done' => 'Feito',
+ 'save' => 'Guardar',
+ 'create' => 'Criar',
+ 'upload' => 'Upload',
+ 'import' => 'Importar',
+ 'download' => 'Download',
+ 'cancel' => 'Cancelar',
+ 'close' => 'Fechar',
+ 'provide_email' => 'Forneça um endereço de e-mail válido',
+ 'powered_by' => 'Powered by',
+ 'no_items' => 'Sem itens',
+ 'recurring_invoices' => 'Notas de Pagamento Recorrentes',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'no total de faturação',
+ 'billed_client' => 'Faturado ao cliente',
+ 'billed_clients' => 'Clientes faturados',
+ 'active_client' => 'Cliente ativo',
+ 'active_clients' => 'Clientes ativos',
+ 'invoices_past_due' => 'Notas de Pag. Vencidas',
+ 'upcoming_invoices' => 'Próximas Notas de Pag.',
+ 'average_invoice' => 'Média por Nota de Pag.',
+ 'archive' => 'Arquivar',
+ 'delete' => 'Apagar',
+ 'archive_client' => 'Arquivar Cliente',
+ 'delete_client' => 'Apagar Cliente',
+ 'archive_payment' => 'Arquivar Pagamento',
+ 'delete_payment' => 'Apagar Pagamento',
+ 'archive_credit' => 'Arquivar Crédito',
+ 'delete_credit' => 'Apagar Crédito',
+ 'show_archived_deleted' => 'Mostrar arquivados/apagados',
+ 'filter' => 'Filtrar',
+ 'new_client' => 'Novo Cliente',
+ 'new_invoice' => 'Nova Nota Pag.',
+ 'new_payment' => 'Introduzir Pagamento',
+ 'new_credit' => 'Introduzir Crédito',
+ 'contact' => 'Contato',
+ 'date_created' => 'Data de Criação',
+ 'last_login' => 'Último Login',
+ 'balance' => 'Saldo',
+ 'action' => 'Ação',
+ 'status' => 'Estado',
+ 'invoice_total' => 'Total da Nota de Pag.',
+ 'frequency' => 'Frequência',
+ 'start_date' => 'Data Inicial',
+ 'end_date' => 'Data Final',
+ 'transaction_reference' => 'Referência da Transação',
+ 'method' => 'Método',
+ 'payment_amount' => 'Valor do Pagamento',
+ 'payment_date' => 'Data do Pagamento',
+ 'credit_amount' => 'Valor do Crédito',
+ 'credit_balance' => 'Balanço do Crédito',
+ 'credit_date' => 'Data do Crédito',
+ 'empty_table' => 'Sem dados disponíveis',
+ 'select' => 'Selecionar',
+ 'edit_client' => 'Editar Cliente',
+ 'edit_invoice' => 'Editar Nota Pag.',
+ 'create_invoice' => 'Criar Nota Pag.',
+ 'enter_credit' => 'Introduzir Crédito',
+ 'last_logged_in' => 'Último acesso em',
+ 'details' => 'Detalhes',
+ 'standing' => 'Resumo',
+ 'credit' => 'Crédito',
+ 'activity' => 'Atividade',
+ 'date' => 'Data',
+ 'message' => 'Mensagem',
+ 'adjustment' => 'Ajuste',
+ 'are_you_sure' => 'Tem a certeza?',
+ 'payment_type_id' => 'Tipo de pagamento',
+ 'amount' => 'Valor',
+ 'work_email' => 'E-mail',
+ 'language_id' => 'Idioma',
+ 'timezone_id' => 'Fuso Horário',
+ 'date_format_id' => 'Formato da Data',
+ 'datetime_format_id' => 'Formato da Data/Hora',
+ 'users' => 'Utilizadores',
+ 'localization' => 'Localização',
+ 'remove_logo' => 'Remover logo',
+ 'logo_help' => 'Suportados: JPEG, GIF and PNG',
+ 'payment_gateway' => 'Gateway de Pagamento',
+ 'gateway_id' => 'Gateway',
+ 'email_notifications' => 'Notificações por E-mail',
+ 'email_sent' => 'Notificar-me por e-mail quando a nota de pagamento for enviada',
+ 'email_viewed' => 'Notificar-me por e-mail quando a nota de pagamento for visualizada',
+ 'email_paid' => 'Notificar-me por e-mail quando a nota de pagamento for paga',
+ 'site_updates' => 'Atualizações',
+ 'custom_messages' => 'Mensagens personalizadas',
+ 'default_email_footer' => 'Definir assinatura de e-mail padrão',
+ 'select_file' => 'Por favor selecionar um arquivo',
+ 'first_row_headers' => 'Usar as primeiras linhas como cabeçalho',
+ 'column' => 'Coluna',
+ 'sample' => 'Exemplo',
+ 'import_to' => 'Importar para',
+ 'client_will_create' => 'será criado um cliente',
+ 'clients_will_create' => 'serão criados clientes',
+ 'email_settings' => 'Definições de E-mail',
+ 'client_view_styling' => 'Estilo de visualização do cliente',
+ 'pdf_email_attachment' => 'Attach PDF',
+ 'custom_css' => 'CSS Personalizado',
+ 'import_clients' => 'Importar Dados do Cliente',
+ 'csv_file' => 'Ficheiro CSV',
+ 'export_clients' => 'Exportar Dados do Cliente',
+ 'created_client' => 'Cliente criado com sucesso',
+ 'created_clients' => ':count clientes criados com sucesso',
+ 'updated_settings' => 'Definições atualizadas com sucesso',
+ 'removed_logo' => 'Logo removido com sucesso',
+ 'sent_message' => 'Mensagem enviada com sucesso',
+ 'invoice_error' => 'Verifique se selecionou um cliente e que não há nenhum outro erro',
+ 'limit_clients' => 'Desculpe, isto irá exceder o limite de :count clientes',
+ 'payment_error' => 'Ocorreu um erro ao processar o pagamento. Por favor tente novamente mais tarde.',
+ 'registration_required' => 'Inicie sessão para enviar uma nota de pagamento por e-mail',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Cliente atualizado com sucesso',
+ 'created_client' => 'Cliente criado com sucesso',
+ 'archived_client' => 'Cliente arquivado com sucesso',
+ 'archived_clients' => ':count clientes arquivados com sucesso',
+ 'deleted_client' => 'Clientes removidos com sucesso',
+ 'deleted_clients' => ':count clientes removidos com sucesso',
+ 'updated_invoice' => 'Nota de Pagamento atualizada com sucesso',
+ 'created_invoice' => 'Nota de Pagamento criada com sucesso',
+ 'cloned_invoice' => 'Nota de Pagamento clonada com sucesso',
+ 'emailed_invoice' => 'Nota de Pagamento enviada por e-mail com sucesso',
+ 'and_created_client' => 'e o cliente foi criado',
+ 'archived_invoice' => 'Nota de Pagamento arquivado com sucesso',
+ 'archived_invoices' => ':count nota de pagamentos arquivados com sucesso',
+ 'deleted_invoice' => 'Nota de Pagamento apagados com sucesso',
+ 'deleted_invoices' => ':count nota de pagamentos apagados com sucesso',
+ 'created_payment' => 'Pagamento criado com sucesso',
+ 'created_payments' => ':count pagamento(s) criados com sucesso',
+ 'archived_payment' => 'Pagamento arquivado com sucesso',
+ 'archived_payments' => ':count pagamentos arquivados com sucesso',
+ 'deleted_payment' => 'Pagamento apagado com sucesso',
+ 'deleted_payments' => ':count pagamentos apagados com sucesso',
+ 'applied_payment' => 'Pagamentos aplicados com sucesso',
+ 'created_credit' => 'Crédito criado com sucesso',
+ 'archived_credit' => 'Crédito arquivado com sucesso',
+ 'archived_credits' => ':count créditos arquivados com sucesso',
+ 'deleted_credit' => 'Crédito apagado com sucesso',
+ 'deleted_credits' => ':count créditos apagados com sucesso',
+ 'imported_file' => 'Arquivo importado com sucesso',
+ 'updated_vendor' => 'Fornecedor atualizado com sucesso',
+ 'created_vendor' => 'Fornecedor criado com sucesso',
+ 'archived_vendor' => 'Fornecedor arquivado com sucesso',
+ 'archived_vendors' => ':count fornecedores arquivados com sucesso',
+ 'deleted_vendor' => 'Fornecedor removido com sucesso',
+ 'deleted_vendors' => ':count fornecedores removidos com sucesso',
+ 'confirmation_subject' => 'Confirmação de Conta do Invoice Ninja',
+ 'confirmation_header' => 'Confirmação de Conta',
+ 'confirmation_message' => 'Por favor clique no link abaixo para confirmar a sua conta.',
+ 'invoice_subject' => 'New invoice :number from :account',
+ 'invoice_message' => 'Para visualizar a sua nota de pagamento de :amount, clique no link abaixo.',
+ 'payment_subject' => 'Pagamento recebido',
+ 'payment_message' => 'Obrigado, pagamento de :amount confirmado',
+ 'email_salutation' => 'Caro :name,',
+ 'email_signature' => 'Atenciosamente,',
+ 'email_from' => 'Equipe InvoiceNinja',
+ 'invoice_link_message' => 'Para visualizar a nota de pagamento do seu cliente clique no link abaixo:',
+ 'notification_invoice_paid_subject' => 'Nota de Pagamento :invoice foi paga por :client',
+ 'notification_invoice_sent_subject' => 'Nota de Pagamento :invoice foi enviada por :client',
+ 'notification_invoice_viewed_subject' => 'Nota de Pagamento :invoice foi visualizada por :client',
+ '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.',
+ 'reset_password' => 'Pode redefinir a sua palavra-passe clicando no link seguinte:',
+ 'secure_payment' => 'Pagamento Seguro',
+ 'card_number' => 'Número do cartão',
+ 'expiration_month' => 'Mês de expiração',
+ 'expiration_year' => 'Ano de expiração',
+ 'cvv' => 'CVV',
+ 'logout' => 'Sair',
+ 'sign_up_to_save' => 'Faça login para guardar o seu trabalho',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Condições do Serviço',
+ 'email_taken' => 'O endereço de e-mail já está registrado',
+ 'working' => 'Processando',
+ 'success' => 'Successo',
+ 'success_message' => 'Registou-se com sucesso. Por favor que no link de confirmação recebido para confirmar o seu endereço de e-mail.',
+ 'erase_data' => 'A sua conta não está registada, apagará todos os dados permanentemente.',
+ 'password' => 'Palavra-passe',
+ 'pro_plan_product' => 'Plano Profissional',
+ 'pro_plan_success' => 'Muito Obrigado! Assim que o pagamento for confirmado o seu plano será ativado.',
+ 'unsaved_changes' => 'Existem alterações não guardadas',
+ 'custom_fields' => 'Campos Personalizados',
+ 'company_fields' => 'Campos para Empresa',
+ 'client_fields' => 'Campos para Clientes',
+ 'field_label' => 'Nome do Campo',
+ 'field_value' => 'Valor do Campo',
+ 'edit' => 'Editar',
+ 'set_name' => 'Informe o nome da sua empresa',
+ 'view_as_recipient' => 'Visualizar como destinatário',
+ 'product_library' => 'Lista de Produtos',
+ 'product' => 'Produto',
+ 'products' => 'Produtos',
+ 'fill_products' => 'Sugerir produtos',
+ 'fill_products_help' => 'Selecionando o produto descrição e preço serão preenchidos automaticamente',
+ 'update_products' => 'Atualização automática dos produtos',
+ 'update_products_help' => 'Atualizando na nota de pagamento o produto também será atualizado',
+ 'create_product' => 'Criar Produto',
+ 'edit_product' => 'Editar Prodruto',
+ 'archive_product' => 'Arquivar Produto',
+ 'updated_product' => 'Produto atualizado',
+ 'created_product' => 'Produto criado',
+ 'archived_product' => 'Produto arquivado',
+ 'pro_plan_custom_fields' => ':link para ativar campos personalizados adquira o Plano Profissional',
+ 'advanced_settings' => 'Definições Avançadas',
+ 'pro_plan_advanced_settings' => ':link para ativar as definições avançadas adquira o Plano Profissional',
+ 'invoice_design' => 'Design das Nota Pag.',
+ 'specify_colors' => 'Definição de Cores',
+ 'specify_colors_label' => 'Selecione as cores para a sua nota de pagamento',
+ 'chart_builder' => 'Contrutor de Gráficos',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Adquira o Plano Pro',
+ 'quote' => 'Orçamento',
+ 'quotes' => 'Orçamentos',
+ 'quote_number' => 'Número do Orçamento',
+ 'quote_number_short' => 'Orçamento #',
+ 'quote_date' => 'Data do Orçamento',
+ 'quote_total' => 'Total do Orçamento',
+ 'your_quote' => 'Seu Orçamento',
+ 'total' => 'Total',
+ 'clone' => 'Clonar',
+ 'new_quote' => 'Novo Orçamento',
+ 'create_quote' => 'Criar Orçamento',
+ 'edit_quote' => 'Editar Orçamento',
+ 'archive_quote' => 'Arquivar Orçamento',
+ 'delete_quote' => 'Apagar Orçamento',
+ 'save_quote' => 'Guardar Oçamento',
+ 'email_quote' => 'Enviar Orçamento',
+ 'clone_quote' => 'Clone To Quote',
+ 'convert_to_invoice' => 'Converter em Nota de Pag.',
+ 'view_invoice' => 'Visualizar nota de pag.',
+ 'view_client' => 'Visualizar Cliente',
+ 'view_quote' => 'Visualizar Orçamento',
+ 'updated_quote' => 'Orçamento atualizado',
+ 'created_quote' => 'Orçamento criado',
+ 'cloned_quote' => 'Orçamento clonado',
+ 'emailed_quote' => 'Orçamento enviado',
+ 'archived_quote' => 'Orçamento aquivado',
+ 'archived_quotes' => ':count Orçamento(s) arquivado(s)',
+ 'deleted_quote' => 'Orçamento apagado',
+ 'deleted_quotes' => ':count Orçamento(s) apagados(s)',
+ 'converted_to_invoice' => 'Orçamento convertido em nota de pag,',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'Para visualizar o orçamento de :amount, clique no link abaixo.',
+ 'quote_link_message' => 'Para visualizar o orçamento clique no link abaixo',
+ 'notification_quote_sent_subject' => 'Orçamento :invoice enviado para :client',
+ 'notification_quote_viewed_subject' => 'Orçamento :invoice visualizado por :client',
+ 'notification_quote_sent' => 'O cliente :client recebeu o Orçamento :invoice de:amount.',
+ 'notification_quote_viewed' => 'O cliente :client visualizou o Orçamento :invoice de :amount.',
+ 'session_expired' => 'Sessão expirada.',
+ 'invoice_fields' => 'Campos da Nota Pag.',
+ 'invoice_options' => 'Opções da Nota Pag.',
+ 'hide_paid_to_date' => 'Ocultar data de pagamento',
+ 'hide_paid_to_date_help' => 'Apenas mostrar a "Data de Pagamento" quanto o pagamento tiver sido efetuado.',
+ 'charge_taxes' => 'Impostos',
+ 'user_management' => 'Gerir utilizadores',
+ 'add_user' => 'Adicionar utilizadores',
+ 'send_invite' => 'Enviar convite',
+ 'sent_invite' => 'Convite enviado',
+ 'updated_user' => 'Utilizador atualizado',
+ 'invitation_message' => 'Recebeu um convite de :invitor. ',
+ 'register_to_add_user' => 'Registe-se para adicionar um utilizador',
+ 'user_state' => 'Distrito',
+ 'edit_user' => 'Editar Utilizador',
+ 'delete_user' => 'Apagar Utilizador',
+ 'active' => 'Ativo',
+ 'pending' => 'Pendente',
+ 'deleted_user' => 'Utilizador apagado',
+ 'confirm_email_invoice' => 'Deseja enviar esta nota de pagamento?',
+ 'confirm_email_quote' => 'Deseja enviar este orçamento?',
+ 'confirm_recurring_email_invoice' => 'Deseja enviar esta nota de pagamento?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Cancelar Conta',
+ 'cancel_account_message' => 'Aviso: Irá apagar permanentemente a sua conta.',
+ 'go_back' => 'Voltar',
+ 'data_visualizations' => 'Visualização de Dados',
+ 'sample_data' => 'Dados de Exemplo',
+ 'hide' => 'Ocultar',
+ 'new_version_available' => 'Uma nova versão :releases_link está disponível. A sua versão é v:user_version, a última versão é v:latest_version',
+ 'invoice_settings' => 'Configuração das Notas de Pagamento',
+ 'invoice_number_prefix' => 'Prefixo na Numeração das Notas de Pagamento',
+ 'invoice_number_counter' => 'Numeração das Notas de Pagamento',
+ 'quote_number_prefix' => 'Prefixo na Numeração dos Orçamentos',
+ 'quote_number_counter' => 'Numeração dos Orçamentos',
+ 'share_invoice_counter' => 'Usar numeração das nota de pagamentos',
+ 'invoice_issued_to' => 'Nota de Pagamento emitida para',
+ 'invalid_counter' => 'Para evitar conflitos defina prefixos de numeração para Notas de Pagamento e Orçamentos',
+ 'mark_sent' => 'Marcar como Enviada',
+ 'gateway_help_1' => ':link para registar Authorize.net.',
+ 'gateway_help_2' => ':link para registar Authorize.net.',
+ 'gateway_help_17' => ':link para adquirir a sua "PayPal API signature".',
+ 'gateway_help_27' => ':link registe-se no 2Checkout.com. Para garantir o rastreamento dos pagamentos configure o :complete_link como URL de redirecionamento em Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'Mais Modelos',
+ 'more_designs_title' => 'Modelos Adicionais',
+ 'more_designs_cloud_header' => 'Adquira o Plano Pro para mais modelos',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Comprar',
+ 'bought_designs' => 'Novos Modelos Adicionados',
+ 'sent' => 'Sent',
+ 'vat_number' => 'NIF',
+ 'timesheets' => 'Folha de horas',
+ 'payment_title' => 'Indique a morada de faturação e as informações do Cartão de Crédito',
+ 'payment_cvv' => '*São os 3-4 digitos encontrados atrás do seu cartão.',
+ 'payment_footer1' => '*A morada de faturação deve ser igual à morada associada ao Cartão de Crédito.',
+ 'payment_footer2' => '*Clique em "Pagar Agora" apenas uma vez - esta operação pode levar até 1 Minuto para ser processada.',
+ 'id_number' => 'ID Number',
+ 'white_label_link' => 'White Label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'Licença "white label" ativada',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Restaurar',
+ 'restore_invoice' => 'Restaurar Nota Pag.',
+ 'restore_quote' => 'Restaurar Orçamento',
+ 'restore_client' => 'Restaurar Cliente',
+ 'restore_credit' => 'Restaurar Crédito',
+ 'restore_payment' => 'Restaurar Pagamento',
+ 'restored_invoice' => 'Nota de Pagamento restaurada',
+ 'restored_quote' => 'Orçamento restaurado',
+ 'restored_client' => 'Cliente restaurado',
+ 'restored_payment' => 'Pagamento restaurado',
+ 'restored_credit' => 'Crédito restaurado',
+ 'reason_for_canceling' => 'Ajude-nos a melhorar, envie suas sugestões.',
+ 'discount_percent' => '%',
+ 'discount_amount' => 'Valor',
+ 'invoice_history' => 'Histórico de Notas de Pagamento',
+ 'quote_history' => 'Histórico de Orçamentos',
+ 'current_version' => 'Versão Atual',
+ 'select_version' => 'Selecionar versão',
+ 'view_history' => 'Visualizar Histórico',
+ 'edit_payment' => 'Editar Pagamento',
+ 'updated_payment' => 'Pagamento atualizado',
+ 'deleted' => 'Apagado',
+ 'restore_user' => 'Restaurar Utilizador',
+ 'restored_user' => 'Utilizador restaurado',
+ 'show_deleted_users' => 'Mostrar utilizadores apagados',
+ 'email_templates' => 'Modelo de E-mail',
+ 'invoice_email' => 'E-mail para Notas de Pag.',
+ 'payment_email' => 'E-mail para Pagamentos',
+ 'quote_email' => 'E-mail para Orçamentos',
+ 'reset_all' => 'Redifinir Todos',
+ 'approve' => 'Aprovar',
+ 'token_billing_type_id' => 'Token de Cobrança',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Desativado',
+ 'token_billing_2' => 'A checkbox de Opt-in está visível mas não seleccionada',
+ 'token_billing_3' => 'A checkbox de Opt-out está visível e seleccionada',
+ 'token_billing_4' => 'Sempre',
+ 'token_billing_checkbox' => 'Guardar detalhes do cartão',
+ 'view_in_gateway' => 'Ver em :gateway',
+ 'use_card_on_file' => 'Utilizar Cartão em Arquivo',
+ 'edit_payment_details' => 'Editar detalhes do pagamento',
+ 'token_billing' => 'Guardar detalhes do cartão',
+ 'token_billing_secure' => 'Dados armazenados com seguração por :link',
+ 'support' => 'Suporte',
+ 'contact_information' => 'Informações de Contato',
+ '256_encryption' => 'Criptografia de 256-Bit',
+ 'amount_due' => 'Valor em dívida',
+ 'billing_address' => 'Morada de faturação',
+ 'billing_method' => 'Tipo de pagamento',
+ 'order_overview' => 'Geral',
+ 'match_address' => '*A morada de faturação deve ser igual à morada associada ao Cartão de Crédito.',
+ 'click_once' => '*Clique em "Pagar Agora" apenas uma vez - esta operação pode levar até 1 Minuto para processar.',
+ 'invoice_footer' => 'Rodapé da Nota Pag.',
+ 'save_as_default_footer' => 'Guardar como rodapé padrão',
+ 'token_management' => 'Gerir Token',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Adicionar Token',
+ 'show_deleted_tokens' => 'Mostrar tokents apagados',
+ 'deleted_token' => 'Token apagado',
+ 'created_token' => 'Token criado',
+ 'updated_token' => 'Token atualizado',
+ 'edit_token' => 'Editat Token',
+ 'delete_token' => 'Apagar Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Adicionar Gateway',
+ 'delete_gateway' => 'Apagar Gateway',
+ 'edit_gateway' => 'Editar Gateway',
+ 'updated_gateway' => 'Gateway atualizado',
+ 'created_gateway' => 'Gateway Criado',
+ 'deleted_gateway' => 'Gateway Apagado',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Cartão de Crédito',
+ 'change_password' => 'Alterar palavra-passe',
+ 'current_password' => 'Palavra-passe atual',
+ 'new_password' => 'Nova palavra-passe',
+ 'confirm_password' => 'Confirmar palavra-passe',
+ 'password_error_incorrect' => 'Palavra-passe atual incorreta.',
+ 'password_error_invalid' => 'Nova palavra-passe inválida.',
+ 'updated_password' => 'Palavra-passe atualizada',
+ 'api_tokens' => 'API Tokens',
+ 'users_and_tokens' => 'Utilizadores & Tokens',
+ 'account_login' => 'Iniciar sessão',
+ 'recover_password' => 'Recuperar palavra-passe',
+ 'forgot_password' => 'Esqueceu-se da palavra-passe?',
+ 'email_address' => 'E-mail',
+ 'lets_go' => 'Vamos!',
+ 'password_recovery' => 'Recuperar palavra-passe',
+ 'send_email' => 'Enviar email',
+ 'set_password' => 'Definir palavra-passe',
+ 'converted' => 'Convertido',
+ 'email_approved' => 'Notificar-me por e-mail quando um orçamento for aprovado',
+ 'notification_quote_approved_subject' => 'Orçamento :invoice foi aprovado por :client',
+ 'notification_quote_approved' => 'O cliente :client aprovou o Orçamento :invoice de :amount.',
+ 'resend_confirmation' => 'Reenviar e-mail de confirmação',
+ 'confirmation_resent' => 'E-mail de confirmação reenviado',
+ 'gateway_help_42' => ':link aceder BitPay.
Aviso: use a "Legacy API Key", não "API token".',
+ 'payment_type_credit_card' => 'Cartão de Crédito',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Base de Conhecimento',
+ 'partial' => 'Depósito/Parcial',
+ 'partial_remaining' => ':partial de :balance',
+ 'more_fields' => 'Mais Campos',
+ 'less_fields' => 'Menos Campos',
+ 'client_name' => 'Client Name',
+ 'pdf_settings' => 'Definições do PDF',
+ 'product_settings' => 'Definições de Produtos',
+ 'auto_wrap' => 'Quebrar Linhas',
+ 'duplicate_post' => 'Atenção: a página anterior foi enviada duas vezes. A segunda vez foi ignorada.',
+ 'view_documentation' => 'Ver Documentação',
+ 'app_title' => 'Free Open-Source Online Invoicing',
+ 'app_description' => 'O Invoice Ninja é uma solução gratuita e open-source para faturar e cobrar serviços e produtos a clientes. Com o Invoice Ninja, poderá criar fácilmente faturas atrativas através de qualquer dispositivo que tenha acesso à internet. Os seus clientes podem imprimir as suas faturas, transferir como PDF e até mesmo pagar online dentro do sistema.',
+ 'rows' => 'linhas',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdomínio',
+ 'provide_name_or_email' => 'Indique um nome ou email',
+ 'charts_and_reports' => 'Gráficos & Relatórios',
+ 'chart' => 'Gráfico',
+ 'report' => 'Relatório',
+ 'group_by' => 'Agrupado por',
+ 'paid' => 'Pago',
+ 'enable_report' => 'Relatório',
+ 'enable_chart' => 'Gráfico',
+ 'totals' => 'Totais',
+ 'run' => 'Executar',
+ 'export' => 'Exportar',
+ 'documentation' => 'Documentação',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Recorrente',
+ 'last_invoice_sent' => 'Última cobrança enviada a :date',
+ 'processed_updates' => 'Atualização completa',
+ 'tasks' => 'Tarefas',
+ 'new_task' => 'Nova Tarefa',
+ 'start_time' => 'Início',
+ 'created_task' => 'Tarefa criada',
+ 'updated_task' => 'Tarefa atualizada',
+ 'edit_task' => 'Editar Tarefa',
+ 'archive_task' => 'Arquivar Tarefa',
+ 'restore_task' => 'Restaurar Tarefa',
+ 'delete_task' => 'Apagar Tarefa',
+ 'stop_task' => 'Parar Tarefa',
+ 'time' => 'Tempo',
+ 'start' => 'Iniciar',
+ 'stop' => 'Parar',
+ 'now' => 'Agora',
+ 'timer' => 'Temporizador',
+ 'manual' => 'Manual',
+ 'date_and_time' => 'Data & Hora',
+ 'second' => 'Second',
+ 'seconds' => 'Seconds',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minutes',
+ 'hour' => 'Hour',
+ 'hours' => 'Hours',
+ 'task_details' => 'Detalhes da Tarefa',
+ 'duration' => 'Duração',
+ 'end_time' => 'Final',
+ 'end' => 'Fim',
+ 'invoiced' => 'Faturado',
+ 'logged' => 'Em aberto',
+ 'running' => 'Em execução',
+ 'task_error_multiple_clients' => 'Tarefas não podem pertencer a clientes diferentes',
+ 'task_error_running' => 'Parar as tarefas em execução',
+ 'task_error_invoiced' => 'Tarefa já faturada',
+ 'restored_task' => 'Tarefa restaurada',
+ 'archived_task' => 'Tarefa arquivada',
+ 'archived_tasks' => ':count Tarefas arquivadas',
+ 'deleted_task' => 'Tarefa apagada',
+ 'deleted_tasks' => ':count Tarefas apagadas',
+ 'create_task' => 'Criar Tarefa',
+ 'stopped_task' => 'Tarefa interrompida',
+ 'invoice_task' => 'Faturar Tarefa',
+ 'invoice_labels' => 'Etiquetas das Notas de Pag.',
+ 'prefix' => 'Prefixo',
+ 'counter' => 'Contador',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link aceder Dwolla.',
+ 'partial_value' => 'Deve ser maior que zero e menor que o total',
+ 'more_actions' => 'Mais ações',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Adquira Agora!',
+ 'pro_plan_feature1' => 'Sem Limite de Clientes',
+ 'pro_plan_feature2' => '+10 Modelos de nota de pagamentos',
+ 'pro_plan_feature3' => 'URLs personalizadas - "SeuNome.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Sem "Created by Invoice Ninja"',
+ 'pro_plan_feature5' => 'Múltiplos usuários & Histórico de Atividades',
+ 'pro_plan_feature6' => 'Orçamentos & Pedidos',
+ 'pro_plan_feature7' => 'Campos personalizados',
+ 'pro_plan_feature8' => 'Opção para anexar PDFs aos e-mails',
+ 'resume' => 'Retormar',
+ 'break_duration' => 'Interromper',
+ 'edit_details' => 'Editar Detalhes',
+ 'work' => 'Trabalhar',
+ 'timezone_unset' => 'Por favor :link defina a sua timezone',
+ 'click_here' => 'clique aqui',
+ 'email_receipt' => 'E-mail para envio do recibo de pagamento',
+ 'created_payment_emailed_client' => 'Pagamento informado e notificado ao cliente por e-mail',
+ 'add_company' => 'Adicionar Empresa',
+ 'untitled' => 'Sem Título',
+ 'new_company' => 'Nova Empresa',
+ 'associated_accounts' => 'Contas vinculadas',
+ 'unlinked_account' => 'Contas desvinculadas',
+ 'login' => 'Iniciar sessão',
+ 'or' => 'ou',
+ 'email_error' => 'Houve um problema ao enviar o e-mail',
+ 'confirm_recurring_timing' => 'Aviso: e-mails são enviados na hora de início.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Definir a data de vencimento padrão ',
+ 'unlink_account' => 'Desvincular Conta',
+ 'unlink' => 'Desvincular',
+ 'show_address' => 'Mostrar morada',
+ 'show_address_help' => 'Solicitar morada de faturação ao cliente',
+ 'update_address' => 'Atualizar Morada',
+ 'update_address_help' => 'Atualizar morada do cliente',
+ 'times' => 'Tempo',
+ 'set_now' => 'Agora',
+ 'dark_mode' => 'Modo Escuro',
+ 'dark_mode_help' => 'Use a dark background for the sidebars',
+ 'add_to_invoice' => 'Adicionar na nota de pagamento :invoice',
+ 'create_new_invoice' => 'Criar nota de pagamento',
+ 'task_errors' => 'Corrija os tempos sobrepostos',
+ 'from' => 'De',
+ 'to' => 'Para',
+ 'font_size' => 'Tamanho do Texto',
+ 'primary_color' => 'Cor Principal',
+ 'secondary_color' => 'Cor Secundaria',
+ 'customize_design' => 'Personalizar Modelo',
+ 'content' => 'Conteúdo',
+ 'styles' => 'Estilos',
+ 'defaults' => 'Padrões',
+ 'margins' => 'Margens',
+ 'header' => 'Cabeçalho',
+ 'footer' => 'Rodapé',
+ 'custom' => 'Personalizado',
+ 'invoice_to' => 'Nota de Pagamento para',
+ 'invoice_no' => 'Nota de Pagamento No.',
+ 'quote_no' => 'Orçamento número',
+ 'recent_payments' => 'Pagamentos Recentes',
+ 'outstanding' => 'Em Aberto',
+ 'manage_companies' => 'Gerir Empresas',
+ 'total_revenue' => 'Total faturado',
+ 'current_user' => 'Utilizador',
+ 'new_recurring_invoice' => 'Nova Nota de Pagamento Recorrente',
+ 'recurring_invoice' => 'Nota de Pagamento Recorrente',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Demasiado cedo para criar nova nota de pagamento recorrente, agendamento para :date',
+ 'created_by_invoice' => 'Criada a partir da Nota de Pagamento :invoice',
+ 'primary_user' => 'Utilizador Principal',
+ 'help' => 'Ajuda',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Data de vencimento',
+ 'quote_due_date' => 'Valido até',
+ 'valid_until' => 'Válido até',
+ 'reset_terms' => 'Redifinir Condições',
+ 'reset_footer' => 'Redifinir Rodapé',
+ 'invoice_sent' => ':count nota de pag. enviada',
+ 'invoices_sent' => ':count notas de pag. enviadas',
+ 'status_draft' => 'Rascunho',
+ 'status_sent' => 'Enviado',
+ 'status_viewed' => 'Visualizado',
+ 'status_partial' => 'Parcial',
+ 'status_paid' => 'Pago',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Exibir impostos dos itens',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'Copie o código abaixo para o seu site.',
+ 'iframe_url_help2' => 'Pode testar ao clicar em \'Ver como destinatário\' numa nota de pagamento.',
+ 'auto_bill' => 'Cobrança Automática',
+ 'military_time' => '24h',
+ 'last_sent' => 'Último Envio',
+ 'reminder_emails' => 'E-mails de Lembrete',
+ 'templates_and_reminders' => 'Modelos & Lembretes',
+ 'subject' => 'Assunto',
+ 'body' => 'Conteúdo',
+ 'first_reminder' => 'Primeiro Lembrete',
+ 'second_reminder' => 'Segundo Lembrete',
+ 'third_reminder' => 'Terceiro Lembrete',
+ 'num_days_reminder' => 'Dias após o vencimento',
+ 'reminder_subject' => 'Lembrente: Nota de Pagamento :invoice de :account',
+ 'reset' => 'Redefinir',
+ 'invoice_not_found' => 'A nota de pagamento não está disponível',
+ 'referral_program' => 'Programa de Indicação',
+ 'referral_code' => 'Código de Indicação',
+ 'last_sent_on' => 'Último envio em :date',
+ 'page_expire' => 'Esta página a expirar, :click_here para continuar a trabalhar',
+ 'upcoming_quotes' => 'Próximos Orçamentos',
+ 'expired_quotes' => 'Orçamentos Expirados',
+ 'sign_up_using' => 'Aceder',
+ 'invalid_credentials' => 'Utilizador e/ou palavra-passe inválidos',
+ 'show_all_options' => 'Mostrar todas as opções',
+ 'user_details' => 'Detalhes do Utilizador',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Desativar',
+ 'invoice_quote_number' => 'Nº de Notas de Pag. e Orçamentos',
+ 'invoice_charges' => 'Sobretaxas da Nota de Pagamento',
+ 'notification_invoice_bounced' => 'Não foi possível entregar a Nota de Pagamento :invoice a :contact.',
+ 'notification_invoice_bounced_subject' => 'A Nota de Pagamento :invoice não foi entregue',
+ 'notification_quote_bounced' => 'Não foi possível entregar o Orçamento :invoice a :contact.',
+ 'notification_quote_bounced_subject' => 'O Orçamento :invoice não foi entregue',
+ 'custom_invoice_link' => 'Link de Faturas Personalizado',
+ 'total_invoiced' => 'Notas de Pagamento',
+ 'open_balance' => 'Em Aberto',
+ 'verify_email' => 'Um e-mail de verificação foi enviado para a sua caixa de entrada..',
+ 'basic_settings' => 'Definições Básicas',
+ 'pro' => 'Pro',
+ 'gateways' => 'Gateways de Pagamento',
+ 'next_send_on' => 'Próximo Envio: :date',
+ 'no_longer_running' => 'Esta nota de pagamento não está agendada',
+ 'general_settings' => 'Definições Gerais',
+ 'customize' => 'Personalizar',
+ 'oneclick_login_help' => 'Crie uma conta para aceder sem palavra-passe.',
+ 'referral_code_help' => 'Recomende o nosso sistema.',
+ 'enable_with_stripe' => 'Ativar | Requer Stripe',
+ 'tax_settings' => 'Definições de Impostos',
+ 'create_tax_rate' => 'Adicionar Imposto',
+ 'updated_tax_rate' => 'Imposto Atualizado',
+ 'created_tax_rate' => 'Imposto Adicionado',
+ 'edit_tax_rate' => 'Editar Imposto',
+ 'archive_tax_rate' => 'Arquivar Imposto',
+ 'archived_tax_rate' => 'Imposto Arquivado',
+ 'default_tax_rate_id' => 'Imposto Padrão',
+ 'tax_rate' => 'Imposto',
+ 'recurring_hour' => 'Hora Recorrente',
+ 'pattern' => 'Padrão',
+ 'pattern_help_title' => 'Ajuda para Padrões',
+ 'pattern_help_1' => 'Criar números de notas de pagamento personalizados especificando um padrão',
+ 'pattern_help_2' => 'Variáveis disponíveis:',
+ 'pattern_help_3' => 'Exemplo, :example seria convertido para :value',
+ 'see_options' => 'Veja as Opções',
+ 'invoice_counter' => 'Contador de Notas de Pagamento',
+ 'quote_counter' => 'Contador de Orçamentos',
+ 'type' => 'Tipo',
+ 'activity_1' => ':user criou o cliente :client',
+ 'activity_2' => ':user arquivou o cliente :client',
+ 'activity_3' => ':user removeu o cliente :client',
+ 'activity_4' => ':user criou a nota de pagamento :invoice',
+ 'activity_5' => ':user atualizou a nota de pagamento :invoice',
+ 'activity_6' => ':user enviou a nota de pagamento :invoice a :contact',
+ 'activity_7' => ':contact visualizou a nota de pagamento :invoice',
+ 'activity_8' => ':user arquivou a nota de pagamento :invoice',
+ 'activity_9' => ':user removeu a nota de pagamento :invoice',
+ 'activity_10' => ':contact introduziu o pagamento :payment para a nota de pag. :invoice',
+ 'activity_11' => ':user atualizou o pagamento :payment',
+ 'activity_12' => ':user arquivou o pagamento :payment',
+ 'activity_13' => ':user removeu o pagamento :payment',
+ 'activity_14' => ':user adicionou crédito :credit',
+ 'activity_15' => ':user atualizou crédito :credit',
+ 'activity_16' => ':user arquivou crédito :credit',
+ 'activity_17' => ':user removeu crédito :credit',
+ 'activity_18' => ':user adicionou o orçamento :quote',
+ 'activity_19' => ':user atualizou o orçamento :quote',
+ 'activity_20' => ':user enviou o orçamento :quote a :contact',
+ 'activity_21' => ':contact visualizou o orçamento :quote',
+ 'activity_22' => ':user arquivou o orçamento :quote',
+ 'activity_23' => ':user removeu o orçamento :quote',
+ 'activity_24' => ':user restaurou o orçamento :quote',
+ 'activity_25' => ':user restaurou a nota de pagamento :invoice',
+ 'activity_26' => ':user restaurou o cliente :client',
+ 'activity_27' => ':user restaurou o pagamento :payment',
+ 'activity_28' => ':user restaurou o crédito :credit',
+ 'activity_29' => ':contact aprovou o orçamento :quote',
+ 'activity_30' => ':user criou o fornecedor :vendor',
+ 'activity_31' => ':user arquivou o fornecedor :vendor',
+ 'activity_32' => ':user apagou o fornecedor :vendor',
+ 'activity_33' => ':user restaurou o fornecedor :vendor',
+ 'activity_34' => ':user criou a despesa :expense',
+ 'activity_35' => ':user arquivou a despesa :expense',
+ 'activity_36' => ':user apagou a despesa :expense',
+ 'activity_37' => ':user restaurou a despesa :expense',
+ 'activity_42' => ':user criou a tarefa :task',
+ 'activity_43' => ':user atualizou a tarefa :task',
+ 'activity_44' => ':user arquivou a tarefa :task',
+ 'activity_45' => ':user apagou a tarefa :task',
+ 'activity_46' => ':user restaurou a tarefa :task',
+ 'activity_47' => ':user atualizou a despesa :expense',
+ 'payment' => 'Pagamento',
+ 'system' => 'Sistema',
+ 'signature' => 'Assinatura do E-mail',
+ 'default_messages' => 'Mensagens Padrões',
+ 'quote_terms' => 'Condições do Orçamento',
+ 'default_quote_terms' => 'Condições Padrões dos Orçamentos',
+ 'default_invoice_terms' => 'Definir condições padrões da notas de pag.',
+ 'default_invoice_footer' => 'Definir padrão',
+ 'quote_footer' => 'Rodapé do Orçamento',
+ 'free' => 'Grátis',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Aplicar Crédito',
+ 'system_settings' => 'Definições do Sistema',
+ 'archive_token' => 'Arquivar Token',
+ 'archived_token' => 'Token arquivado',
+ 'archive_user' => 'Arquivar Utilizador',
+ 'archived_user' => 'Utilizador arquivado',
+ 'archive_account_gateway' => 'Arquivar Gateway',
+ 'archived_account_gateway' => 'Gateway arquivado',
+ 'archive_recurring_invoice' => 'Arquivar Nota de Pagamento Recorrente',
+ 'archived_recurring_invoice' => 'Nota de Pagamento Recorrente arquivada',
+ 'delete_recurring_invoice' => 'Remover Nota de Pagamento Recorrente',
+ 'deleted_recurring_invoice' => 'Nota de Pagamento Recorrente removida',
+ 'restore_recurring_invoice' => 'Restaurar Nota de Pagamento Recorrente',
+ 'restored_recurring_invoice' => 'Nota de Pagamento Recorrente restaurada',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Arquivado',
+ 'untitled_account' => 'Empresa Sem Nome',
+ 'before' => 'Antes',
+ 'after' => 'Depois',
+ 'reset_terms_help' => 'Redefinir para as condições padrões',
+ 'reset_footer_help' => 'Redefinir para o rodapé padrão',
+ 'export_data' => 'Exportar Dados',
+ 'user' => 'Utilizador',
+ 'country' => 'País',
+ 'include' => 'Incluir',
+ 'logo_too_large' => 'O seu logo tem :size, para uma melhor performance sugerimos que este tamanho não ultrapasse 200KB',
+ 'import_freshbooks' => 'Importar de FreshBooks',
+ 'import_data' => 'Importar Dados',
+ 'source' => 'Fonte',
+ 'csv' => 'CSV',
+ 'client_file' => 'Arquivo de Clientes',
+ 'invoice_file' => 'Arquivo de Notas de Pagamento',
+ 'task_file' => 'Arquivo de Tarefas',
+ 'no_mapper' => 'Mapeamento inválido',
+ 'invalid_csv_header' => 'CSV com cabeçalho inválido',
+ 'client_portal' => 'Portal do Cliente',
+ 'admin' => 'Admin',
+ 'disabled' => 'Desativado',
+ 'show_archived_users' => 'Mostrar utilizadores arquivados',
+ 'notes' => 'Observações',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => 'notas de pagamento serão criadas',
+ 'failed_to_import' => 'Falhou a importação dos seguintes registos',
+ 'publishable_key' => 'Chave Publicável',
+ 'secret_key' => 'Chave Secreta',
+ 'missing_publishable_key' => 'Defina a sua chave publicável do Stripe para um melhor processo de pagamento',
+ 'email_design' => 'Template de E-mail',
+ 'due_by' => 'Vencido a :date',
+ 'enable_email_markup' => 'Ativar Marcação',
+ 'enable_email_markup_help' => 'Tornar mais fácil para os seus clientes efetuarem os pagamentos, acrescentando marcação schema.org a seus e-mails.',
+ 'template_help_title' => 'Ajuda de Templates',
+ 'template_help_1' => 'Variáveis disponíveis:',
+ 'email_design_id' => 'Estilo de e-mails',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'Plano',
+ 'light' => 'Claro',
+ 'dark' => 'Escuro',
+ 'industry_help' => 'Usado para fornecer comparações entre empresas.',
+ 'subdomain_help' => 'Indique o subdomínio ou mostre a nota de pag. no seu site.',
+ 'website_help' => 'Mostrar a nota de pagamento num iFrame no seu próprio site',
+ 'invoice_number_help' => 'Especifique um prefixo ou use um padrão personalizado para definir dinamicamente o número da nota de pagamento.',
+ 'quote_number_help' => 'Especifique um prefixo ou use um padrão personalizado para definir dinamicamente o número do orçamento.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Adicionar um rótulo e um valor para a seção detalhes da empresa do PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Adicionar uma entrada de texto na página Criar/Editar Nota de Pagamento e incluir nos subtotais da nota de pagamento.',
+ 'token_expired' => 'Token de acesso expirado. Tente novamente!',
+ 'invoice_link' => 'Link da Nota de Pagamento',
+ 'button_confirmation_message' => 'Clique para confirmar seu endereço de e-mail.',
+ 'confirm' => 'Confirmar',
+ 'email_preferences' => 'Preferências de E-mails',
+ 'created_invoices' => ':count nota de pagamento(s) criadas com sucesso',
+ 'next_invoice_number' => 'O número da próxima nota de pagamento será :number.',
+ 'next_quote_number' => 'O número do próximo orçamento será :number.',
+ 'days_before' => 'dias antes de',
+ 'days_after' => 'dias depois de',
+ 'field_due_date' => 'data de vencimento',
+ 'field_invoice_date' => 'data da nota de pagamento',
+ 'schedule' => 'Agendamento',
+ 'email_designs' => 'Design de E-mails',
+ 'assigned_when_sent' => 'Assinar quando enviar',
+ 'white_label_purchase_link' => 'Adquira uma licença white label',
+ 'expense' => 'Despesa',
+ 'expenses' => 'Despesas',
+ 'new_expense' => 'Introduzir Despesa',
+ 'enter_expense' => 'Incluir Despesa',
+ 'vendors' => 'Fornecedor',
+ 'new_vendor' => 'Novo Fornecedor',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Fornecedor',
+ 'edit_vendor' => 'Editar Fornecedor',
+ 'archive_vendor' => 'Arquivar Fornecedor',
+ 'delete_vendor' => 'Apagar Fornecedor',
+ 'view_vendor' => 'Visualizar Fornecedor',
+ 'deleted_expense' => 'Despesa excluída com sucesso',
+ 'archived_expense' => 'Despesa arquivada com sucesso',
+ 'deleted_expenses' => 'Despesas excluídas com sucesso',
+ 'archived_expenses' => 'Despesas arquivadas com sucesso',
+ 'expense_amount' => 'Total de Despesas',
+ 'expense_balance' => 'Saldo das Despesas',
+ 'expense_date' => 'Data da Despesa',
+ 'expense_should_be_invoiced' => 'Esta despesa deve ser faturada?',
+ 'public_notes' => 'Notas Públicas',
+ 'invoice_amount' => 'Total da Nota de Pagamento',
+ 'exchange_rate' => 'Taxa de Câmbio',
+ 'yes' => 'Sim',
+ 'no' => 'Não',
+ 'should_be_invoiced' => 'Deve ser faturada',
+ 'view_expense' => 'Visualizar despesa # :expense',
+ 'edit_expense' => 'Editar Despesa',
+ 'archive_expense' => 'Arquivar Despesa',
+ 'delete_expense' => 'Apagar Despesa',
+ 'view_expense_num' => 'Despesa # :expense',
+ 'updated_expense' => 'Despesa atualizada com sucesso',
+ 'created_expense' => 'Despesa criada com sucesso',
+ 'enter_expense' => 'Incluir Despesa',
+ 'view' => 'Visualizar',
+ 'restore_expense' => 'Restaurar Despesa',
+ 'invoice_expense' => 'Nota de Pagamento da Despesa',
+ 'expense_error_multiple_clients' => 'Despesas não podem pertencer a clientes diferentes',
+ 'expense_error_invoiced' => 'Despesa já faturada',
+ 'convert_currency' => 'Converter moeda',
+ 'num_days' => 'Número de dias',
+ 'create_payment_term' => 'Criar Termo de Pagamento',
+ 'edit_payment_terms' => 'Editar Termos de Pagamento',
+ 'edit_payment_term' => 'Editar Termo de Pagamento',
+ 'archive_payment_term' => 'Arquivar Termo de Pagamento',
+ 'recurring_due_dates' => 'Data de Vencimento das Notas de Pagamento Recorrentes',
+ 'recurring_due_date_help' => 'Definir automaticamente a data de vencimento da nota de pagamento.
+ Notas de Pagamento em um ciclo mensal ou anual com vencimento anterior ou na data em que são criadas serão nota de pagamentodas para o próximo mês. Notas de Pagamento com vencimento no dia 29 ou 30 nos meses que não tem esse dia será nota de pagamentoda no último dia do mês..
+ Notas de Pagamento em um clclo mensal com vencimento no dia da semana em que foi criada serão nota de pagamentodas para a próxima semana.
+ Exemplo:
+
+ - Hoje é dia 15, vencimento no primeiro dia do mês. O Vencimento será no primeiro dia do próximo mês.
+ - Hoje é dia 15, vencimento no último dia do mês. O Vencimento será no último dia do mês corrente
+ - Hoje é dia 15, vencimento no dia 15. O venciemnto será no dia 15 do próximo mês.
+ - Hoje é Sexta-Feira, vencimento na primeira sexta-feira. O venciemnto será na próxima sexta-feira, não hoje.
+
',
+ 'due' => 'Vencimento',
+ 'next_due_on' => 'Próximo Vencimento: :date',
+ 'use_client_terms' => 'Usar condições do cliente',
+ 'day_of_month' => ':ordinal dia do mês ',
+ 'last_day_of_month' => 'Último dia do mês',
+ 'day_of_week_after' => ':ordinal :day depois',
+ 'sunday' => 'Domingo',
+ 'monday' => 'Segunda-Feira',
+ 'tuesday' => 'Terça-Feira',
+ 'wednesday' => 'Quarta-Feira',
+ 'thursday' => 'Quinta-Feira',
+ 'friday' => 'Sexta-Feira',
+ 'saturday' => 'Sábado',
+ 'header_font_id' => 'Fonte do Cabeçalho',
+ 'body_font_id' => 'Fonte dos Textos',
+ 'color_font_help' => 'Nota: A cor primária também é utilizada no portal do cliente e no e-mail personalizado.',
+ 'live_preview' => 'Pré-visualização',
+ 'invalid_mail_config' => 'Falha ao enviar e-mail, verifique as definições.',
+ 'invoice_message_button' => 'Para visualizar a sua nota de pagamento de :amount, clique no botão abaixo.',
+ 'quote_message_button' => 'Para visualizar o seu orçamento de :amount, clique no botão abaixo.',
+ 'payment_message_button' => 'Obrigado pelo pagamento de :amount.',
+ 'payment_type_direct_debit' => 'Débito',
+ 'bank_accounts' => 'Contas Bancárias',
+ 'add_bank_account' => 'Adicionar Conta Bancária',
+ 'setup_account' => 'Configurar Conta',
+ 'import_expenses' => 'Importar Despesas',
+ 'bank_id' => 'Banco',
+ 'integration_type' => 'Tipo de Integração',
+ 'updated_bank_account' => 'Conta bancária atualizada com sucesso',
+ 'edit_bank_account' => 'Editar Conta Bancária',
+ 'archive_bank_account' => 'Arquivar Conta Bancária',
+ 'archived_bank_account' => 'Conta bancária arquivada com sucesso',
+ 'created_bank_account' => 'Conta bancária criada com sucesso',
+ 'validate_bank_account' => 'Validar Conta Bancária',
+ 'bank_password_help' => 'Nota: a sua palavra-passe é transferida de forma segura e não será armazenada em nossos servidores.',
+ 'bank_password_warning' => 'Atenção: a sua palavra-passe será transferida de forma não segura, considere habilitar HTTPS.',
+ 'username' => 'Utilizador',
+ 'account_number' => 'Conta número',
+ 'account_name' => 'Nome da Conta',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Aprovado',
+ 'quote_settings' => 'Definições dos Orçamentos',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Converter automaticamente um orçamento quando for aprovado pelo cliente.',
+ 'validate' => 'Validado',
+ 'info' => 'Info',
+ 'imported_expenses' => ':count_vendors fornecedor(s) e :count_expenses despesa(s) importadas com sucesso',
+ 'iframe_url_help3' => 'Nota: se o seu plano aceita detalhes do cartão de crédito recomendamos que tenha HTTPS no seu site.',
+ 'expense_error_multiple_currencies' => 'As despesas não podem ter diferentes moedas.',
+ 'expense_error_mismatch_currencies' => 'As configurações de moeda do cliente não coincidem com a moeda nesta despesa.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Cabeçalho/Rodapé',
+ 'first_page' => 'primeira página',
+ 'all_pages' => 'todas as páginas',
+ 'last_page' => 'última página',
+ 'all_pages_header' => 'Mostrar cabeçalho ativo',
+ 'all_pages_footer' => 'Mostrar rodapé ativo',
+ 'invoice_currency' => 'Moeda da Nota de Pagamento',
+ 'enable_https' => 'Recomendamos a utilização de HTTPS para receber os detalhes do cartão de crédito online.',
+ 'quote_issued_to' => 'Orçamento emitido para',
+ 'show_currency_code' => 'Código da Moeda',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'A sua conta receberá gratuitamente duas semanas para testar nosso plano pro.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Iniciar período de testes',
+ 'trial_success' => 'Ativado duas semanas de teste para testar o plano Pro',
+ 'overdue' => 'Vencido',
+
+
+ 'white_label_text' => 'Comprar UM ANO da licença de marca branca por $:price para remover o branding do Invoice Ninja das notas de pagamento e do portal do cliente.',
+ 'user_email_footer' => 'Para ajustar as suas definições de notificações de e-mail aceda :link',
+ 'reset_password_footer' => 'Se não solicitou a redefinição da palavra-passe por favor envie um e-mail para o nosso suporte: :email',
+ 'limit_users' => 'Desculpe, isto irá exceder o limite de :limit utilizadores',
+ 'more_designs_self_host_header' => 'Obtenha mais 6 modelos de nota de pagamento por apenas $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link apenas $:price para permitir um estilo personalizado e apoiar o nosso projecto.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link para remover a logo do Invoice Ninja contratando o plano profissional',
+ 'pro_plan_remove_logo_link' => 'Clique aqui',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'Visto',
+ 'email_error_inactive_client' => 'Não é possível enviar e-mails para clientes inativos',
+ 'email_error_inactive_contact' => 'Não é possível enviar e-mails para contatos inativos',
+ 'email_error_inactive_invoice' => 'Não é possível enviar e-mails de nota de pagamentos inativas',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Registe-se para enviar e-mails',
+ 'email_error_user_unconfirmed' => 'Confirme a sua conta para enviar e-mails',
+ 'email_error_invalid_contact_email' => 'E-mail do contato inválido',
+
+ 'navigation' => 'Navegação',
+ 'list_invoices' => 'Listar Notas de Pagamento',
+ 'list_clients' => 'Listar Clientes',
+ 'list_quotes' => 'Listar Orçamentos',
+ 'list_tasks' => 'Listar Tarefas',
+ 'list_expenses' => 'Listar Despesas',
+ 'list_recurring_invoices' => 'Listar Notas de Pagamento Recorrentes',
+ 'list_payments' => 'Listar Pagamentos',
+ 'list_credits' => 'Listar Créditos',
+ 'tax_name' => 'Nome do Imposto',
+ 'report_settings' => 'Configuração de Relatórios',
+ 'search_hotkey' => 'atalho /',
+
+ 'new_user' => 'Novo Utilizador',
+ 'new_product' => 'Novo Produto',
+ 'new_tax_rate' => 'Novo Imposto',
+ 'invoiced_amount' => 'Total da Nota de Pag.',
+ 'invoice_item_fields' => 'Campos de itens na Nota de Pagamento',
+ 'custom_invoice_item_fields_help' => 'Adicionar um campo ao adicionar um item e mostrar a etiqueta e valor no PDF.',
+ 'recurring_invoice_number' => 'Nº Recorrente',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Proteger notas de pag. com palavra-passe',
+ 'enable_portal_password_help' => 'Permite definir uma palavra-passe para cada contacto. Se uma palavra-passe for definida, o contacto deverá introduzir a palavra-passe antes de visualizar a nota de pagamento.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'Se não definir uma palavra-passe, será gerada uma automaticamente e enviada com a primeira nota de pagamento.',
+
+ 'expired' => 'Expirada',
+ 'invalid_card_number' => 'Cartão de crédito inválido.',
+ 'invalid_expiry' => 'Data de expiração inválida.',
+ 'invalid_cvv' => 'O código CVV é inválido.',
+ 'cost' => 'Custo',
+ 'create_invoice_for_sample' => 'Nota: crie a primeira nota de pagamento para ver uma pré-visualização aqui.',
+
+ // User Permissions
+ 'owner' => 'Proprietário',
+ 'administrator' => 'Administrador',
+ 'administrator_help' => 'Permite ao utilizador gerir utilizadores, alterar definições e modificar registos.',
+ 'user_create_all' => 'Criar clientes, notas de pagamento, etc.',
+ 'user_view_all' => 'Ver todos os clientes, notas de pagamento, etc.',
+ 'user_edit_all' => 'Editar todos os clientes, notas de pagamento, etc.',
+ 'gateway_help_20' => ':link para ativar o Sage Pay.',
+ 'gateway_help_21' => ':link para ativar o Sage Pay.',
+ 'partial_due' => 'Vencimento Parcial',
+ 'restore_vendor' => 'Restaurar Fornecedor',
+ 'restored_vendor' => 'Fornecedor restarurado com sucesso',
+ 'restored_expense' => 'Despesa restaurada com sucesso',
+ 'permissions' => 'Permissões',
+ 'create_all_help' => 'Permite o utilizador criar e alterar registos',
+ 'view_all_help' => 'Permite o utilizador visualizar registos que ele não criou',
+ 'edit_all_help' => 'Permite ao utilizador editar registos que ele não criou',
+ 'view_payment' => 'Ver Pagamento',
+
+ 'january' => 'Janeiro',
+ 'february' => 'Fevereiro',
+ 'march' => 'Março',
+ 'april' => 'Abril',
+ 'may' => 'Maio',
+ 'june' => 'Junho',
+ 'july' => 'Julho',
+ 'august' => 'Agosto',
+ 'september' => 'Setembro',
+ 'october' => 'Outubro',
+ 'november' => 'Novembro',
+ 'december' => 'Dezembro',
+
+ // Documents
+ 'documents_header' => 'Documentos:',
+ 'email_documents_header' => 'Documentos:',
+ 'email_documents_example_1' => 'Recibo de Widgets.pdf',
+ 'email_documents_example_2' => 'Ficheiros Finais.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Documentos Embutidos',
+ 'invoice_embed_documents_help' => 'Incluir imagens anexadas na nota de pagamento.',
+ 'document_email_attachment' => 'Anexar Documentos',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Transferir Documentos (:size)',
+ 'documents_from_expenses' => 'De despesas:',
+ 'dropzone_default_message' => 'Arrastar ficheiros para enviar',
+ 'dropzone_fallback_message' => 'O seu browser não suporta envio de ficheiros através de drag\'n\'drop.',
+ 'dropzone_fallback_text' => 'Por favor utilize o formulário abaixo para enviar ficheiros em modo de compatibilidade.',
+ 'dropzone_file_too_big' => 'Ficheiro demasiado grande ({{filesize}}MiB). Tamanho máximo: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'Não pode enviar este tipo de ficheiros.',
+ 'dropzone_response_error' => 'O servidor respondeu com o código {{statusCode}}.',
+ 'dropzone_cancel_upload' => 'Cancelar envio',
+ 'dropzone_cancel_upload_confirmation' => 'Tem a certeza que pretende cancelar este envio?',
+ 'dropzone_remove_file' => 'Remover ficheiro',
+ 'documents' => 'Documentos',
+ 'document_date' => 'Data do Documento',
+ 'document_size' => 'Tamanho',
+
+ 'enable_client_portal' => 'Portal do Cliente',
+ 'enable_client_portal_help' => 'Mostrar/ocultar o portal do cliente.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Mostrar/ocultar o dashboard no portal do cliente.',
+
+ // Plans
+ 'account_management' => 'Gerir Conta',
+ 'plan_status' => 'Estado do Plano',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Alterar Plano',
+ 'pending_change_to' => 'Altera Para',
+ 'plan_changes_to' => ':plan em :date',
+ 'plan_term_changes_to' => ':plan (:term) em :date',
+ 'cancel_plan_change' => 'Cancelar Alteração',
+ 'plan' => 'Plano',
+ 'expires' => 'Expira',
+ 'renews' => 'Renovação',
+ 'plan_expired' => ':plan Plano Expirado',
+ 'trial_expired' => ':plan Plano de Avaliação Terminou',
+ 'never' => 'Nunca',
+ 'plan_free' => 'Gratuíto',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (Marca Branca)',
+ 'plan_free_self_hosted' => 'Self Hosted (Gratuíto)',
+ 'plan_trial' => 'Avaliação',
+ 'plan_term' => 'Período',
+ 'plan_term_monthly' => 'Mensal',
+ 'plan_term_yearly' => 'Anual',
+ 'plan_term_month' => 'Mês',
+ 'plan_term_year' => 'Ano',
+ 'plan_price_monthly' => '$:price/Mês',
+ 'plan_price_yearly' => '$:price/Ano',
+ 'updated_plan' => 'Definições do plano atualizadas',
+ 'plan_paid' => 'Iniciou o período',
+ 'plan_started' => 'Iniciou o Plano',
+ 'plan_expires' => 'Plano Expira',
+
+ 'white_label_button' => 'Marca Branca',
+
+ 'pro_plan_year_description' => 'Subscrição de um ano no plano Invoice Ninja Pro.',
+ 'pro_plan_month_description' => 'Um mês de subscrição no plano Invoice Ninja Pro.',
+ 'enterprise_plan_product' => 'Plano Enterprise',
+ 'enterprise_plan_year_description' => 'Um ano de subscrição no plano Invoice Ninja Enterprise.',
+ 'enterprise_plan_month_description' => 'Um mês de subscrição no plano Invoice Ninja Enterprise.',
+ 'plan_credit_product' => 'Crédito',
+ 'plan_credit_description' => 'Crédito pelo tempo não utilizado',
+ 'plan_pending_monthly' => 'Vamos alterar para mensal em :date',
+ 'plan_refunded' => 'Foi realizada um reembolso.',
+
+ 'live_preview' => 'Pré-visualização',
+ 'page_size' => 'Tamanho da Página',
+ 'live_preview_disabled' => 'Pré-visualização em tempo real desactivada para suportar o tipo de letra selecionado',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Pré-visualizar',
+ 'list_vendors' => 'Listar Fornecedores',
+ 'add_users_not_supported' => 'Altere para o plano Enterprise para adicionar utilizadores adicionais à sua conta.',
+ 'enterprise_plan_features' => 'O plano Enterprise adiciona suporte a multiplos utilizadores e anexos de ficheiros, :link para ver a lista completa de funcionalidades.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Reembolsar Pagamento',
+ 'refund_max' => 'Máx:',
+ 'refund' => 'Reembolsar',
+ 'are_you_sure_refund' => 'Reembolsar os pagamentos selecionados?',
+ 'status_pending' => 'Pendente',
+ 'status_completed' => 'Completo',
+ 'status_failed' => 'Falhou',
+ 'status_partially_refunded' => 'Parcialmente Reembolsado',
+ 'status_partially_refunded_amount' => ':amount Reembolsado',
+ 'status_refunded' => 'Reembolsado',
+ 'status_voided' => 'Cancelado',
+ 'refunded_payment' => 'Pagamento Reembolsado',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Venc: :expira',
+
+ 'card_creditcardother' => 'Desconhecido',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Existe outro gateway configurado para débito direto.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Client Id',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(opcional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Outros Provedores',
+ 'country_not_supported' => 'Este país não é suportado.',
+ 'invalid_routing_number' => 'O número de roteamento é inválido.',
+ 'invalid_account_number' => 'O número da conta e inválido.',
+ 'account_number_mismatch' => 'Os números da conta não correspondem.',
+ 'missing_account_holder_type' => 'Por favor, selecione uma conta ou empresa individual.',
+ 'missing_account_holder_name' => 'Por favor, indique o nome do proprietário da conta.',
+ 'routing_number' => 'Número de Roteamento',
+ 'confirm_account_number' => 'Confirmar Número de Conta',
+ 'individual_account' => 'Conta Individual',
+ 'company_account' => 'Conta Empresarial',
+ 'account_holder_name' => 'Nome do Proprietário da Conta',
+ 'add_account' => 'Adicionar Conta',
+ 'payment_methods' => 'Métodos de Pagamento',
+ 'complete_verification' => 'Verificação Completa',
+ 'verification_amount1' => 'Valor 1',
+ 'verification_amount2' => 'Valor 2',
+ 'payment_method_verified' => 'Verificação concluída com sucesso',
+ 'verification_failed' => 'Verificação falhou',
+ 'remove_payment_method' => 'Remover método de Pagamento',
+ 'confirm_remove_payment_method' => 'Deseja remover este método de pagamento?',
+ 'remove' => 'Remover',
+ 'payment_method_removed' => 'Método de pagamento removido.',
+ 'bank_account_verification_help' => 'Fizemos dois depósitos na sua conta com a descrição "VERIFICATION". Estes depósitos podem levar 1-2 dias úteis para aparecer no seu extracto. Por favor indique os valores de cada um deles abaixo.',
+ 'bank_account_verification_next_steps' => 'Fizemos dois depósitos na sua conta com a descrição "VERIFICATION". Estes depósitos podem levar 1-2 dias úteis para aparecer no seu extracto.
+Quando tiver os valores dos depósitos, volte a esta página e conclua a verificação da sua conta.',
+ 'unknown_bank' => 'Banco Desconhecido',
+ 'ach_verification_delay_help' => 'Poderá utilizar esta conta após a concluir a verificação. A verificação normalmente leva 1 a 2 dias.',
+ 'add_credit_card' => 'Adicionar Cartão de Crédito',
+ 'payment_method_added' => 'Método de pagamento adicionado.',
+ 'use_for_auto_bill' => 'Usar para Pagamentos Automáticos',
+ 'used_for_auto_bill' => 'Método de Pagamentos Automáticos',
+ 'payment_method_set_as_default' => 'Definir método de pagamento automático.',
+ 'activity_41' => 'pagamento (:payment) de :payment_amount falhou',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'Deverá :link.',
+ 'stripe_webhook_help_link_text' => 'adicionar este URL como um endpoint no Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'Houve um erro ao adicionar seu método de pagamento. Tente novamente.',
+ 'notification_invoice_payment_failed_subject' => 'Pagamento falhou para a Nota de Pagamento :invoice',
+ 'notification_invoice_payment_failed' => 'O pagamento feito pelo Cliente :client para a Nota de Pagamento :invoice falhou. O pagamento foi marcado como "falhado" e foram adicionados :amount ao saldo do cliente.',
+ 'link_with_plaid' => 'Ligar Automaticamente Conta com o Plaid',
+ 'link_manually' => 'Ligar Manualmente',
+ 'secured_by_plaid' => 'Assegurado por Plaid',
+ 'plaid_linked_status' => 'Conta bancária no :bank',
+ 'add_payment_method' => 'Adicionar Método de Pagamento',
+ 'account_holder_type' => 'Tipo do Proprietário da Conta',
+ 'ach_authorization' => 'Eu autorizo a :company a utilizar a minha conta bancária para pagamentos futuros e, se necessário, creditar electronicamente a minha conta para corrigir débitos incorrectos. Compreendo que posso revogar esta autorização a qualquer altura removendo o método de pagamento ou contactando :email.',
+ 'ach_authorization_required' => 'Deverá permitir transacções ACH.',
+ 'off' => 'Off',
+ 'opt_in' => 'Aceitar (Opt-in)',
+ 'opt_out' => 'Negar (Opt-out)',
+ 'always' => 'Sempre',
+ 'opted_out' => 'Negou (Opted out)',
+ 'opted_in' => 'Aceitou (Opted in)',
+ 'manage_auto_bill' => 'Gerir Pagamentos Automáticos',
+ 'enabled' => 'Ativo',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Ativar pagamentos PayPal através do BrainTree',
+ 'braintree_paypal_disabled_help' => 'O gateway PayPal está a processar pagamentos PayPal',
+ 'braintree_paypal_help' => 'Deverá também :link.',
+ 'braintree_paypal_help_link_text' => 'ligar o PayPal à sua conta BrainTree',
+ 'token_billing_braintree_paypal' => 'Guardar detalhes do pagamento',
+ 'add_paypal_account' => 'Adicionar Conta PayPal',
+
+
+ 'no_payment_method_specified' => 'Nenhum método de pagamento definido',
+ 'chart_type' => 'Tipo de Gráfico',
+ 'format' => 'Formato',
+ 'import_ofx' => 'Importar OFX',
+ 'ofx_file' => 'Ficheiro OFX',
+ 'ofx_parse_failed' => 'Falha ao ler o ficheiro OFX',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Registar com WePay',
+ 'use_another_provider' => 'Utilizar outro provedor',
+ 'company_name' => 'Nome da Empresa',
+ 'wepay_company_name_help' => 'Isto irá aparecer no registo do cartão de crédito do cliente.',
+ 'wepay_description_help' => 'O objetivo desta conta.',
+ 'wepay_tos_agree' => 'Concordo com :link.',
+ 'wepay_tos_link_text' => 'Termos de Serviço do WePay',
+ 'resend_confirmation_email' => 'Reenviar Email de Confirmação',
+ 'manage_account' => 'Gerir Conta',
+ 'action_required' => 'Acção Necessária',
+ 'finish_setup' => 'Terminar Configuração',
+ 'created_wepay_confirmation_required' => 'Por favor verifique o seu email e confirme o seu email com o WePay',
+ 'switch_to_wepay' => 'Alterar para WePay',
+ 'switch' => 'Alterar',
+ 'restore_account_gateway' => 'Restaurar Gateway',
+ 'restored_account_gateway' => 'Gateway restaurado com sucesso',
+ 'united_states' => 'Estados Unidos',
+ 'canada' => 'Canadá',
+ 'accept_debit_cards' => 'Aceitar Cartão de Débito',
+ 'debit_cards' => 'Cartões de Débito',
+
+ 'warn_start_date_changed' => 'A próxima nota de pagamento será enviada na nova data de início.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Data de início original',
+ 'new_start_date' => 'Nova data de início',
+ 'security' => 'Segurança',
+ 'see_whats_new' => 'Veja as novidades na versão v:version',
+ 'wait_for_upload' => 'Por favor aguardo pela conclusão do envio do documento',
+ 'upgrade_for_permissions' => 'Atualize para o nosso plano Enterprise para ativar as permissões.',
+ 'enable_second_tax_rate' => 'Permitir indicar um segundo imposto',
+ 'payment_file' => 'Ficheiro de Pagamento',
+ 'expense_file' => 'Ficheiro de Despesas',
+ 'product_file' => 'Ficheiro de Produtos',
+ 'import_products' => 'Produtos Importados',
+ 'products_will_create' => 'produtos serão criados',
+ 'product_key' => 'Produto',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Utilize JSON se planear importar os dados para o Invoice Ninja.
O ficheiro incluí clientes, produtos, notas de pagamento, orçamentos e pagamentos.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'Ficheiro JSON',
+
+ 'view_dashboard' => 'Ver Dashboard',
+ 'client_session_expired' => 'Sessão Expirada',
+ 'client_session_expired_message' => 'A sua sessão expirou. Por favor abra novamente o link no seu email.',
+
+ 'auto_bill_notification' => 'Esta nota de pagamento será paga automaticamente a :due_data através do seu :payment_method.',
+ 'auto_bill_payment_method_bank_transfer' => 'conta bancária',
+ 'auto_bill_payment_method_credit_card' => 'cartão de crédito',
+ 'auto_bill_payment_method_paypal' => 'conta PayPal',
+ 'auto_bill_notification_placeholder' => 'Esta nota de pagamento será paga automaticamente no seu cartão de crédito na data de vencimento.',
+ 'payment_settings' => 'Definições de Pagamento',
+
+ 'on_send_date' => 'Na data de envio',
+ 'on_due_date' => 'Na data de vencimento',
+ 'auto_bill_ach_date_help' => 'ACH fará sempre o pagamento automático na data de vencimento.',
+ 'warn_change_auto_bill' => 'Devido às regras NACHA, alterações a esta nota de pagamento podem evitar pagamentos automáticos ACH.',
+
+ 'bank_account' => 'Conta Bancária',
+ 'payment_processed_through_wepay' => 'Pagamentos ACH serão processados utilizando WePay.',
+ 'wepay_payment_tos_agree' => 'Eu concordo com :terms e :privacy_policy da WePay.',
+ 'privacy_policy' => 'Política de Privacidade',
+ 'wepay_payment_tos_agree_required' => 'Deve concordar com os Termos de Serviço e Política de Privacidade da WePay.',
+ 'ach_email_prompt' => 'Por favor indique o seu email:',
+ 'verification_pending' => 'Verificação Pendente',
+
+ 'update_font_cache' => 'Por favor force a actualização da página para actualizar a cache dos tipos de letra.',
+ 'more_options' => 'Mais opções',
+ 'credit_card' => 'Cartão de Crédito',
+ 'bank_transfer' => 'Transferência Bancária',
+ 'no_transaction_reference' => 'Não recebemos do gateway nenhuma referência a um pagamento.',
+ 'use_bank_on_file' => 'Utilizar o Banco no Ficheiro',
+ 'auto_bill_email_message' => 'Esta nota de pagamento será paga automaticamente na data de vencimento através do método de pagamento.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Adicionado em :date',
+ 'failed_remove_payment_method' => 'Erro ao remover o método de pagamento',
+ 'gateway_exists' => 'Este gateway já existe',
+ 'manual_entry' => 'Introdução manual',
+ 'start_of_week' => 'Primeiro Dia da Semana',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Semanal',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => '2 semanas',
+ 'freq_four_weeks' => '4 semanas',
+ 'freq_monthly' => 'Mensal',
+ 'freq_three_months' => 'Trimestral',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Semestral',
+ 'freq_annually' => 'Anual',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Aplicar Crédito',
+ 'payment_type_Bank Transfer' => 'Transferência Bancária',
+ 'payment_type_Cash' => 'Dinheiro',
+ 'payment_type_Debit' => 'Débito',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Cartão Visa',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Outro Cartão de Crédito',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Cheque',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Contabilidade & Legislação',
+ 'industry_Advertising' => 'Publicidade',
+ 'industry_Aerospace' => 'Aeronáutica',
+ 'industry_Agriculture' => 'Agricultura',
+ 'industry_Automotive' => 'Automóveis',
+ 'industry_Banking & Finance' => 'Banca & Finanças',
+ 'industry_Biotechnology' => 'Biotecnologia',
+ 'industry_Broadcasting' => 'Radiodifusão',
+ 'industry_Business Services' => 'Serviços Empresariais',
+ 'industry_Commodities & Chemicals' => 'Produtos Químicos',
+ 'industry_Communications' => 'Comunicações',
+ 'industry_Computers & Hightech' => 'Computadores e Tecnologia',
+ 'industry_Defense' => 'Defesa',
+ 'industry_Energy' => 'Energia',
+ 'industry_Entertainment' => 'Entretenimento',
+ 'industry_Government' => 'Governo',
+ 'industry_Healthcare & Life Sciences' => 'Saúde & Ciências da Vida',
+ 'industry_Insurance' => 'Seguros',
+ 'industry_Manufacturing' => 'Indústria',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Sem Finds Lucrativos & Educação',
+ 'industry_Pharmaceuticals' => 'Fermacêutica',
+ 'industry_Professional Services & Consulting' => 'Serviços Profissionais & Consultoria',
+ 'industry_Real Estate' => 'Imobiliária',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Retalho & Armazenistas',
+ 'industry_Sports' => 'Desporto',
+ 'industry_Transportation' => 'Transporte',
+ 'industry_Travel & Luxury' => 'Viagens & Luxo',
+ 'industry_Other' => 'Outros',
+ 'industry_Photography' => 'Fotografia',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Português do Brasil',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Grego',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Contabilidade & Legislação',
+ 'industry_Advertising' => 'Publicidade',
+ 'industry_Aerospace' => 'Aeronáutica',
+ 'industry_Agriculture' => 'Agricultura',
+ 'industry_Automotive' => 'Automóveis',
+ 'industry_Banking & Finance' => 'Banca & Finanças',
+ 'industry_Biotechnology' => 'Biotecnologia',
+ 'industry_Broadcasting' => 'Radiodifusão',
+ 'industry_Business Services' => 'Serviços Empresariais',
+ 'industry_Commodities & Chemicals' => 'Produtos Químicos',
+ 'industry_Communications' => 'Comunicações',
+ 'industry_Computers & Hightech' => 'Computadores e Tecnologia',
+ 'industry_Defense' => 'Defesa',
+ 'industry_Energy' => 'Energia',
+ 'industry_Entertainment' => 'Entretenimento',
+ 'industry_Government' => 'Governo',
+ 'industry_Healthcare & Life Sciences' => 'Saúde & Ciências da Vida',
+ 'industry_Insurance' => 'Seguros',
+ 'industry_Manufacturing' => 'Indústria',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Sem Finds Lucrativos & Educação',
+ 'industry_Pharmaceuticals' => 'Fermacêutica',
+ 'industry_Professional Services & Consulting' => 'Serviços Profissionais & Consultoria',
+ 'industry_Real Estate' => 'Imobiliária',
+ 'industry_Retail & Wholesale' => 'Retalho & Armazenistas',
+ 'industry_Sports' => 'Desporto',
+ 'industry_Transportation' => 'Transporte',
+ 'industry_Travel & Luxury' => 'Viagens & Luxo',
+ 'industry_Other' => 'Outros',
+ 'industry_Photography' =>'Fotografia',
+
+ 'view_client_portal' => 'View client portal',
+ 'view_portal' => 'View Portal',
+ 'vendor_contacts' => 'Vendor Contacts',
+ 'all' => 'Todos',
+ 'selected' => 'Selecionados',
+ 'category' => 'Categoria',
+ 'categories' => 'Categorias',
+ 'new_expense_category' => 'Nova Categoria de Despesas',
+ 'edit_category' => 'Editar Categoria',
+ 'archive_expense_category' => 'Arquivar Categoria',
+ 'expense_categories' => 'Categorias de Despesas',
+ 'list_expense_categories' => 'Listar Categorias de Despesas',
+ 'updated_expense_category' => 'Categoria de despesa atualizada com sucesso',
+ 'created_expense_category' => 'Categoria de despesa criada com sucesso',
+ 'archived_expense_category' => 'Categoria de despesa arquivada com sucesso',
+ 'archived_expense_categories' => ':count categorias de despesa arquivadas com sucesso',
+ 'restore_expense_category' => 'Restaurar categoria de despesa',
+ 'restored_expense_category' => 'Categoria de despesa restaurada com sucesso',
+ 'apply_taxes' => 'Aplicar impostos',
+ 'min_to_max_users' => ':min a :max utilizadores',
+ 'max_users_reached' => 'Atingiu o números máximo de utilizadores.',
+ 'buy_now_buttons' => 'Botões Comprar Agora',
+ 'landing_page' => 'Página de Entrada',
+ 'payment_type' => 'Tipo de Pagamento',
+ 'form' => 'Formulário',
+ 'link' => 'Ligação',
+ 'fields' => 'Campos',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Nota: o cliente e a nota de pagamento serão criados mesmo que a transacção não seja concluída.',
+ 'buy_now_buttons_disabled' => 'Esta funcionalidade requer que tenha um produto e um gateway de pagamento configurados.',
+ 'enable_buy_now_buttons_help' => 'Ativar suporte para botões "comprar agora"',
+ 'changes_take_effect_immediately' => 'Nota: alterações terão efeito imediato',
+ 'wepay_account_description' => 'Gateway de pagamento para o Invoice Ninja',
+ 'payment_error_code' => 'Houve um erro a processar o seu pagamento [:code]. Por favor tente novamente mais tarde.',
+ 'standard_fees_apply' => 'Taxa: 2.9%/1.2% [Cartão de Cédito/Transf. Bancária] + $0.30 (aprox.
+ €0.25) por pagamento realizado.',
+ 'limit_import_rows' => 'Os dados necessitam de ser importados em parcelas de :count linhas ou menos',
+ 'error_title' => 'Algo correu mal',
+ 'error_contact_text' => 'Se gostaria de ajudar por favor contacte-nos pelo endereço :mailaddress',
+ 'no_undo' => 'Aviso: isto não pode ser revertido.',
+ 'no_contact_selected' => 'Por favor selecione um contacto',
+ 'no_client_selected' => 'Por favor selecione um cliente',
+
+ 'gateway_config_error' => 'Poderá ajudar a definir novas palavras-passe ou a gerar novas chaves API.',
+ 'payment_type_on_file' => ':type guardado',
+ 'invoice_for_client' => 'Nota de Pagamento :invoice para :client',
+ 'intent_not_found' => 'Desculpe, não entendi o que está a perguntar.',
+ 'intent_not_supported' => 'Desculpe, Não consigo fazer isso.',
+ 'client_not_found' => 'Não consegui encontrar o cliente',
+ 'not_allowed' => 'Desculpe, não tem as permissões necessárias.',
+ 'bot_emailed_invoice' => 'A sua nota de pagamento foi enviada.',
+ 'bot_emailed_notify_viewed' => 'Irei enviar-lhe um email quando for visualidada.',
+ 'bot_emailed_notify_paid' => 'Irei enviar-lhe um email quando for paga.',
+ 'add_product_to_invoice' => 'Adicionar 1 :product',
+ 'not_authorized' => 'Não está autorizado',
+ '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_code' => 'Obrigado! Vou enviar-lhe um email com o seu código de segurança.',
+ 'bot_welcome' => 'Feito, a sua conta está verificada.
',
+ 'email_not_found' => 'Não fui capaz de encontrar uma conta para :email',
+ 'invalid_code' => 'O código está incorrecto',
+ 'security_code_email_subject' => 'Código de segurança para o Invoice Ninja Bot',
+ 'security_code_email_line1' => 'Este é o seu código de segurança para o Invoice Ninja Bot.',
+ 'security_code_email_line2' => 'Nota: irá expirar em 10 minutos.',
+ 'bot_help_message' => 'Atualmente suporto:
• Criar/atualizar/enviar uma nota de pagamento
• Listar produtos:
Por exemplo:
faturar o bob por 2 bilhetes, definir a data de vencimento para a próxima quinta-feira e o desconto para 10%',
+ 'list_products' => 'Listar Produtos',
+
+ 'include_item_taxes_inline' => 'Incluir impostos dos items no total da linha',
+ 'created_quotes' => ':count orçamento(s) criados com sucesso.',
+ 'limited_gateways' => 'Nota: suportamos um gateway de cartão de crédito por empresa.',
+
+ 'warning' => 'Aviso',
+ 'self-update' => 'Atualizar',
+ 'update_invoiceninja_title' => 'Atualizar Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Antes de começar a atualizar o Invoice Ninja crie uma cópia de segurança da sua base de dados e ficheiros!',
+ 'update_invoiceninja_available' => 'Uma nova versão do Invoice Ninja está disponível.',
+ 'update_invoiceninja_unavailable' => 'Não existe uma versão mais recente do Invoice Ninja.',
+ 'update_invoiceninja_instructions' => 'Por favor instale a nova versão :version clicando Atualizar agora no botão abaixo. Depois será redireccionado para o painel de controlo.',
+ 'update_invoiceninja_update_start' => 'Atualizar agora',
+ 'update_invoiceninja_download_start' => 'Transferir :version',
+ 'create_new' => 'Criar Nova',
+
+ 'toggle_navigation' => 'Alternar Navegação',
+ 'toggle_history' => 'Alternar Histórico',
+ 'unassigned' => 'Não atribuído',
+ 'task' => 'Tarefa',
+ 'contact_name' => 'Nome do Contacto',
+ 'city_state_postal' => 'Cidade/Distrito/C. Postal',
+ 'custom_field' => 'Campo Personalizado',
+ 'account_fields' => 'Campos da Empresa',
+ 'facebook_and_twitter' => 'Facebook e Twitter',
+ 'facebook_and_twitter_help' => 'Siga os nossos feeds para nos ajudar a suportar o projecto',
+ 'reseller_text' => 'Nota: a licença de marca-branca é prevista para uso pessoal, por favor envie um email para :email se desejar revender a aplicação.',
+ 'unnamed_client' => 'Cliente Sem Nome',
+
+ 'day' => 'Dia',
+ 'week' => 'Semana',
+ 'month' => 'Mês',
+ 'inactive_logout' => 'Sessão terminada devido a inatividade',
+ 'reports' => 'Relatórios',
+ 'total_profit' => 'Lucro Total',
+ 'total_expenses' => 'Despesas Totais',
+ 'quote_to' => 'Orçamento para',
+
+ // Limits
+ 'limit' => 'Limite',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'Sem Limites',
+ 'set_limits' => 'Definir Limites de :gateway_type',
+ 'enable_min' => 'Ativar min',
+ 'enable_max' => 'Ativar max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'Esta Nota de Pag. não cumpre os limites para este tipo de pagamento.',
+
+ 'date_range' => 'Interevalo de Datas',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Código HTML',
+ 'update' => 'Atualizar',
+ 'invoice_fields_help' => 'Arraste os campos para alterar a sua ordem e localização',
+ 'new_category' => 'Nova Categoria',
+ 'restore_product' => 'Restaurar Producto',
+ 'blank' => 'Vazio',
+ 'invoice_save_error' => 'Houve um erro ao guardar a nota de pagamento',
+ 'enable_recurring' => 'Ativar Recorrência',
+ 'disable_recurring' => 'Desativar Recorrência',
+ 'text' => 'Texto',
+ 'expense_will_create' => 'a despesa será criada',
+ 'expenses_will_create' => 'as despesas serão criadas',
+ 'created_expenses' => ':count despesa(s) criadas com sucesso',
+
+ 'translate_app' => 'Ajude a melhorar as nossas traduções com :link',
+ 'expense_category' => 'Categoria de Despesas',
+
+ 'go_ninja_pro' => 'Obtenha o Ninja Pro!',
+ 'go_enterprise' => 'Obtenha o Enterprise!',
+ 'upgrade_for_features' => 'Suba de Plano para Obter Mais Funcionalidades',
+ 'pay_annually_discount' => 'Pague anualmente por 10 meses + 2 grátis!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'ASuaMarca.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Personalize todos os aspectos da sua nota de pagamento!',
+ 'enterprise_upgrade_feature1' => 'Defina permissões para vários utilizadores',
+ 'enterprise_upgrade_feature2' => 'Anexe ficheiros de terceiros às suas notas de pagamento & despesas',
+ 'much_more' => 'Muito Mais!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Símbolo',
+ 'currency_code' => 'Código',
+
+ 'buy_license' => 'Comprar Licença',
+ 'apply_license' => 'Aplicar Linceça',
+ 'submit' => 'Submeter',
+ 'white_label_license_key' => 'Chave de Licença',
+ 'invalid_white_label_license' => 'A licença de marca branca é inválida',
+ 'created_by' => 'Criado por :nome',
+ 'modules' => 'Módulos',
+ 'financial_year_start' => 'Primeiro Mês do Ano',
+ 'authentication' => 'Autenticação',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Assinatura',
+ 'show_accept_invoice_terms' => 'Checkbox para Termos da Nota de Pagamento',
+ 'show_accept_invoice_terms_help' => 'Requer que o cliente confirme que aceita os termos da nota de pagamento.',
+ 'show_accept_quote_terms' => 'Checkbox para Termos do Orçamento',
+ 'show_accept_quote_terms_help' => 'Requer que o cliente confirme que aceita os termos do orçamento.',
+ 'require_invoice_signature' => 'Assinatura da Nota de Pagamento',
+ 'require_invoice_signature_help' => 'Requer que o cliente introduza a sua assinatura.',
+ 'require_quote_signature' => 'Assinatura de Orçamento',
+ 'require_quote_signature_help' => 'Pedir ao cliente para providenciar a sua assinatura.',
+ 'i_agree' => 'Concordo com os termos',
+ 'sign_here' => 'Por favor assine aqui:',
+ 'authorization' => 'Autorização',
+ 'signed' => 'Assinado',
+
+ // BlueVine
+ 'bluevine_promo' => 'Tenha uma linha de crédito flexível usando BlueVine.',
+ 'bluevine_modal_label' => 'Registar com BlueVine',
+ 'bluevine_modal_text' => 'Capital rápido para o seu negócio. Sem papelada.
+- Linhas de crédito flexíveis para o seu negócio.
',
+ 'bluevine_create_account' => 'Criar uma conta',
+ 'quote_types' => 'Pedir orçamento para',
+ 'invoice_factoring' => 'Faturação de contas',
+ 'line_of_credit' => 'Linha de crédito',
+ 'fico_score' => 'Pontuação FICO',
+ 'business_inception' => 'Data de Criação do Negócio',
+ 'average_bank_balance' => 'Média do balanço das contas bancárias',
+ 'annual_revenue' => 'Anual faturado',
+ 'desired_credit_limit_factoring' => 'Limite de crédito desejado',
+ 'desired_credit_limit_loc' => 'Limite da linha de crédito desejado',
+ 'desired_credit_limit' => 'Limite de crédito desejado',
+ 'bluevine_credit_line_type_required' => 'Deve escolher pelo menos uma',
+ 'bluevine_field_required' => 'O campo é obrigatório',
+ 'bluevine_unexpected_error' => 'Ocorreu um erro inesperado.',
+ 'bluevine_no_conditional_offer' => 'É necessário mais informação antes de obter um orçamento. Clique abaixo para continuar.',
+ 'bluevine_invoice_factoring' => 'Faturação de Contas',
+ 'bluevine_conditional_offer' => 'Oferta Condicional',
+ 'bluevine_credit_line_amount' => 'Linha de Crédito',
+ 'bluevine_advance_rate' => 'Taxa de Avanço',
+ 'bluevine_weekly_discount_rate' => 'Taxa de Desconto Semanal',
+ 'bluevine_minimum_fee_rate' => 'Taxa Mínima',
+ 'bluevine_line_of_credit' => 'Linha de Crédito',
+ 'bluevine_interest_rate' => 'Taxa de Juro',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continuar para BlueVine',
+ 'bluevine_completed' => 'Registo com o BlueVine concluído',
+
+ 'vendor_name' => 'Fornecedor',
+ 'entity_state' => 'Estado',
+ 'client_created_at' => 'Data de Criação',
+ 'postmark_error' => 'Houve um problema ao enviar o email através do Postmark: :link',
+ 'project' => 'Projeto',
+ 'projects' => 'Projetos',
+ 'new_project' => 'Novo Projeto',
+ 'edit_project' => 'Editar Projeto',
+ 'archive_project' => 'Arquivar Projeto',
+ 'list_projects' => 'Listar projetos',
+ 'updated_project' => 'Projeto atualizado com sucesso',
+ 'created_project' => 'Projeto criado com sucesso',
+ 'archived_project' => 'Projeto arquivado com sucesso',
+ 'archived_projects' => ':count projetos arquivados com sucesso',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Projeto restaurado com sucesso',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Projeto apagado com sucesso',
+ 'deleted_projects' => ':count projectos apagadas com sucesso',
+ 'delete_expense_category' => 'Apagar categoria',
+ 'deleted_expense_category' => 'Categoria apagada com sucesso',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Producto apagado com sucesso',
+ 'deleted_products' => ':count produtos apagados com sucesso',
+ 'restored_product' => 'Produto restaurado com sucesso',
+ 'update_credit' => 'Atualizar Crédito',
+ 'updated_credit' => 'Crédito atualizado com sucesso',
+ 'edit_credit' => 'Editar Crédito',
+ 'live_preview_help' => 'Mostrar pré-visualização do PDF em tempo real na página da nota de pagamento.
Desative isto para melhorar a performance ao editar notas de pagamento.',
+ 'force_pdfjs_help' => 'Trocar o visualizador de PDF padrão em :chrome_link e :firefox_link.
Ativar isto se o seu browser está a transferir o PDF automaticamente.',
+ 'force_pdfjs' => 'Evitar Transferência',
+ 'redirect_url' => 'Redirecionar URL',
+ 'redirect_url_help' => 'Opcionalmente especifique um URL para redirecionar após a introdução do pagamento',
+ 'save_draft' => 'Guardar Rascunho',
+ 'refunded_credit_payment' => 'Pagamento de crédito reembolsado',
+ 'keyboard_shortcuts' => 'Atalhos de Teclado',
+ 'toggle_menu' => 'Alternar Menu',
+ 'new_...' => 'Novo ...',
+ 'list_...' => 'Listar ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contacte-nos',
+ 'user_guide' => 'Guia do Utilizador',
+ 'promo_message' => 'Atualizar antes de :expires para obter :amount de desconto no seu primeiro ano dos pacotes Pro e Enterprise.',
+ 'discount_message' => ':amount de desconte expira a :expires',
+ 'mark_paid' => 'Marcar como Pago',
+ 'marked_sent_invoice' => 'Nota de pagamento marcada como enviada com sucesso',
+ 'marked_sent_invoices' => 'Notas de pagamento marcadas como enviadas com sucesso',
+ 'invoice_name' => 'Nota de Pagamento',
+ 'product_will_create' => 'produto será criado',
+ 'contact_us_response' => 'Obrigado pela sua mensagem! Vamos tentar responder o mais breve possível.',
+ 'last_7_days' => 'Últimos 7 dias',
+ 'last_30_days' => 'Últimos 30 dias',
+ 'this_month' => 'Este Mês',
+ 'last_month' => 'Último Mês',
+ 'last_year' => 'Último Ano',
+ 'custom_range' => 'Intervalo Personalizado',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Requerer',
+ 'license_expiring' => 'Nota: A sua licença expira em :count dias, :link para renovar.',
+ 'security_confirmation' => 'O seu email foi confirmado.',
+ 'white_label_expired' => 'A sua licença de marca branca expirou, por favor consider renovar para suportar o nosso projecto.',
+ 'renew_license' => 'Renovar Licença',
+ 'iphone_app_message' => 'Considere transferir o nosso :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Sessão iniciada',
+ 'switch_to_primary' => 'Altere para a sua empresa primária (:name) para gerir o seu plano.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Código-Postal/Cidade/Distrito',
+ 'phantomjs_help' => 'Em certos casos a aplicação utiliza :link_phantom para gerar os PDF, instale :link_docs para gerar os PDF localmente.',
+ 'phantomjs_local' => 'Usar PhantomJS local',
+ 'client_number' => 'Nº Cliente',
+ 'client_number_help' => 'Especifique um prefixo ou utilize um padrão personalizado para definir dinamicamente o número do cliente.',
+ 'next_client_number' => 'O próximo cliente será o número :number.',
+ 'generated_numbers' => 'Números gerados',
+ 'notes_reminder1' => 'Primeiro lembrete',
+ 'notes_reminder2' => 'Segundo lembrete',
+ 'notes_reminder3' => 'Terceiro Lembrete',
+ 'bcc_email' => 'Email BCC',
+ 'tax_quote' => 'Imposto do orçamento',
+ 'tax_invoice' => 'Imposto da nota de pag.',
+ 'emailed_invoices' => 'Notas de pag. enviadas com sucesso',
+ 'emailed_quotes' => 'Orçamentos enviados com sucesso',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domínio',
+ 'domain_help' => 'Usado no portal do cliente e quando se enviam emails',
+ 'domain_help_website' => 'Usado quando se enviam emails.',
+ 'preview' => 'Pré-visualizar',
+ 'import_invoices' => 'Importar notas de pag.',
+ 'new_report' => 'Novo relatório',
+ 'edit_report' => 'Editar relatório',
+ 'columns' => 'Colunas',
+ 'filters' => 'Filtros',
+ 'sort_by' => 'Ordenar por',
+ 'draft' => 'Rascunho',
+ 'unpaid' => 'Não pago',
+ 'aging' => 'Vencidas',
+ 'age' => 'Idade',
+ 'days' => 'Dias',
+ 'age_group_0' => '0 - 30 Dias',
+ 'age_group_30' => '30 - 60 Dias',
+ 'age_group_60' => '60 - 90 Dias',
+ 'age_group_90' => '90 - 120 Dias',
+ 'age_group_120' => '120+ Dias',
+ 'invoice_details' => 'Detalhes da nota de pag.',
+ 'qty' => 'Quantidade',
+ 'profit_and_loss' => 'Lucro e prejuízo',
+ 'revenue' => 'Faturado',
+ 'profit' => 'Lucro',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Agrupar datas por',
+ 'year' => 'Ano',
+ 'view_statement' => 'Visualizar declaração',
+ 'statement' => 'Declaração',
+ 'statement_date' => 'Data da declaração',
+ 'mark_active' => 'Ativar',
+ 'send_automatically' => 'Enviar automaticamente',
+ 'initial_email' => 'Email inicial',
+ 'invoice_not_emailed' => 'Esta nota de pag. não foi enviada.',
+ 'quote_not_emailed' => 'Este orçamento não não foi enviado.',
+ 'sent_by' => 'Enviado por :user',
+ 'recipients' => 'Destinatários',
+ 'save_as_default' => 'Guardar como padrão',
+ 'template' => 'Template',
+ 'start_of_week_help' => 'Utilizado pelos selectores date',
+ 'financial_year_start_help' => 'Utilizado pelos selectores interevalo de data>',
+ 'reports_help' => 'Shift + Click to sort by multiple columns, Ctrl + Click to clear the grouping.',
+ 'this_year' => 'Este ano',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Criar. Enviar. Ser Pago.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Inicie sessão agora',
+ 'not_a_member_yet' => 'Ainda não é membro?',
+ 'login_create_an_account' => 'Criar uma conta!',
+ 'client_login' => 'Iniciar sessão como cliente',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Notas de pag. From:',
+ 'email_alias_message' => 'Cada empresa deve ter um único email.
Consider utilizar um alias. ex, email+label@example.com',
+ 'full_name' => 'Nome completo',
+ 'month_year' => 'MÊS/ANO',
+ 'valid_thru' => 'Válido\npor',
+
+ 'product_fields' => 'Campos do produto',
+ 'custom_product_fields_help' => 'Adicionar um campo quando criar um produto ou nota de pag. e mostrar esse campo e valor no PDF.',
+ 'freq_two_months' => 'Dois meses',
+ 'freq_yearly' => 'Anualmente',
+ 'profile' => 'Perfil',
+ 'payment_type_help' => 'Definir como padrão Tipo de pagamento manual.',
+ 'industry_Construction' => 'Indústria',
+ 'your_statement' => 'A declaração',
+ 'statement_issued_to' => 'Relatório aplicado a',
+ 'statement_to' => 'Declaração para',
+ 'customize_options' => 'Personalizar opções',
+ 'created_payment_term' => 'Criado termo de pagamento com sucesso',
+ 'updated_payment_term' => 'Atualizado termo de pagamento com sucesso',
+ 'archived_payment_term' => 'Arquivado termo de pagamento com sucesso',
+ 'resend_invite' => 'Reenviar convite',
+ 'credit_created_by' => 'Crédito criado por pagamento :transaction_reference',
+ 'created_payment_and_credit' => 'Criado pagamento e crédito com sucesso',
+ 'created_payment_and_credit_emailed_client' => 'Criado pagamento e crédito com sucesso, e cliente informado.',
+ 'create_project' => 'Criar projeto',
+ 'create_vendor' => 'Criar fornecedor',
+ 'create_expense_category' => 'Criar categoria',
+ 'pro_plan_reports' => ':link para ativar relatórios aderindo ao plano Pro',
+ 'mark_ready' => 'Marcar concluido',
+
+ 'limits' => 'Limites',
+ 'fees' => 'Taxas',
+ 'fee' => 'Taxa',
+ 'set_limits_fees' => 'Definir :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Ativar taxas do item para definir as taxas de imposto.',
+ 'fees_sample' => 'A taxa para :amount nota de pag. deve ser :total.',
+ 'discount_sample' => 'O desconto para :amount nota de pag. deve ser :total.',
+ 'no_fees' => 'Sem taxas',
+ 'gateway_fees_disclaimer' => 'Aviso: nem todos os estados/gateways de pagamento permitem adicionar taxas, por favor verifique a sua legislação/termos de serviço locais.',
+ 'percent' => 'Percentagem',
+ 'location' => 'Localização',
+ 'line_item' => 'Item',
+ 'surcharge' => 'Sobretaxa',
+ 'location_first_surcharge' => 'Ativo - Primeira Sobretaxa',
+ 'location_second_surcharge' => 'Ativo - Segunda sobretaxa',
+ 'location_line_item' => 'Ativo - Item',
+ 'online_payment_surcharge' => 'Taxa de Pagamento Online',
+ 'gateway_fees' => 'Taxas Gateway',
+ 'fees_disabled' => 'Taxas estão desativadas',
+ 'gateway_fees_help' => 'Automaticamente adicionar uma taxa/desconto ao pagamento online.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'Se tiver notas de pag. não pagas terá que atualizar as taxas manualmente.',
+ 'fees_surcharge_help' => 'Personalizar taxa :link.',
+ 'label_and_taxes' => 'etiquetas e impostos',
+ 'billable' => 'Faturável',
+ 'logo_warning_too_large' => 'A imagem é muito grande.',
+ 'logo_warning_fileinfo' => 'Aviso: Para suportar GIFSa extensão fileinfo PHP etem que estar ativa.',
+ 'logo_warning_invalid' => 'Há um problemas a ler a imagem, por favor tente outro formato.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Definições importadas com sucesso',
+ 'reset_counter' => 'Redefinir contador',
+ 'next_reset' => 'Próxima redefinição',
+ 'reset_counter_help' => 'Redefinir automaticamente os contadores das notas de pag. e dos orçamentos.',
+ 'auto_bill_failed' => 'Auto-faturar para a nota de pag. :invoice_number failed',
+ 'online_payment_discount' => 'Desconto de pagamento online',
+ 'created_new_company' => 'Nova empresa criada com sucesso',
+ 'fees_disabled_for_gateway' => 'Taxas desativadas para este gateway.',
+ 'logout_and_delete' => 'Sair/Apagar conta',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Usar $pageNumber e $pageCount para mostrar a informação da página.',
+ 'credit_note' => 'Nota de crédito',
+ 'credit_issued_to' => 'Crédito atribuido a',
+ 'credit_to' => 'Crédito para',
+ 'your_credit' => 'A sua Nota de crédito',
+ 'credit_number' => 'Nota de rédito número',
+ 'create_credit_note' => 'Criar nota de crédito',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Erro: A tabela de gateways tem ids incorretos.',
+ 'purge_data' => 'Purgar dados',
+ 'delete_data' => 'Apagar dados',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Apagar permanentemente a conta, todos os dados e as definições.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Proibido',
+ 'purge_data_message' => 'Aviso: apagará todos os seus dados.',
+ 'contact_phone' => 'Contato telefónico',
+ 'contact_email' => 'Email',
+ 'reply_to_email' => 'Email de resposta',
+ 'reply_to_email_help' => 'Especificar o email de resposa para os clientes',
+ 'bcc_email_help' => 'Incluir este email com os emais do cliente.',
+ 'import_complete' => 'A importação está completa.',
+ 'confirm_account_to_import' => 'Por favor confirme a sua conta para importar os dados.',
+ 'import_started' => 'A importação começou, quando estiver completa receberá um email.',
+ 'listening' => 'A ouvir...',
+ 'microphone_help' => 'Diga "nova nota de pag. para [cliente] ou "mostre-me o pagamentos arquivados de [cliente]"',
+ 'voice_commands' => 'Comandos de voz',
+ 'sample_commands' => 'Comandos de exemplo',
+ 'voice_commands_feedback' => 'Estamos a trabalhar para melhorar esta questão, se quiser por enviar-nos um email para :email.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => ':count Produtos arquivados com sucesso',
+ 'recommend_on' => 'Recomendamos ativar esta definição.',
+ 'recommend_off' => 'Recomendamos desativar esta definição.',
+ 'notes_auto_billed' => 'Auto-cobrado',
+ 'surcharge_label' => 'Etiqueta de Sobretaxa',
+ 'contact_fields' => 'Campos de contato',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'A mostrar :start a :end de :total entradas',
+ 'credit_total' => 'Total em crédito',
+ 'mark_billable' => 'Marcar faturável',
+ 'billed' => 'Faturado',
+ 'company_variables' => 'Variáveis da empresa',
+ 'client_variables' => 'Variáveis do cliente',
+ 'invoice_variables' => 'Variáveis da nota de pag.',
+ 'navigation_variables' => 'Variáveis de navegação',
+ 'custom_variables' => 'Variáveis personalizadas',
+ 'invalid_file' => 'Tipo de ficheiro inválido',
+ 'add_documents_to_invoice' => 'Adicionar documento à nota de pag.',
+ 'mark_expense_paid' => 'Marcar Pago',
+ 'white_label_license_error' => 'Falhou a validar a licença, verifique storage/logs/laravel-error.log para mais detalhes.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Iniciar sessão como cliente',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/pt_PT/validation.php b/resources/lang/pt_PT/validation.php
new file mode 100644
index 000000000000..d6df9e7d0358
--- /dev/null
+++ b/resources/lang/pt_PT/validation.php
@@ -0,0 +1,106 @@
+ ":attribute deve ser aceite.",
+"active_url" => ":attribute não é um URL válido.",
+"after" => ":attribute deve ser uma data maior que :date.",
+"alpha" => ":attribute deve conter apenas letras.",
+"alpha_dash" => ":attribute pode conter apenas letras, número e hífens",
+"alpha_num" => ":attribute pode conter apenas letras e números.",
+"array" => ":attribute deve ser uma lista.",
+"before" => ":attribute deve ser uma data anterior a :date.",
+"between" => array(
+ "numeric" => ":attribute deve estar entre :min - :max.",
+ "file" => ":attribute deve estar entre :min - :max kilobytes.",
+ "string" => ":attribute deve estar entre :min - :max caracteres.",
+ "array" => ":attribute deve conter entre :min - :max itens.",
+ ),
+"confirmed" => ":attribute confirmação não corresponde.",
+"date" => ":attribute não é uma data válida.",
+"date_format" => ":attribute não satisfaz o formato :format.",
+"different" => ":attribute e :other devem ser diferentes.",
+"digits" => ":attribute deve conter :digits dígitos.",
+"digits_between" => ":attribute deve conter entre :min e :max dígitos.",
+"email" => ":attribute está em um formato inválido.",
+"exists" => "A opção selecionada :attribute é inválida.",
+"image" => ":attribute deve ser uma imagem.",
+"in" => "A opção selecionada :attribute é inválida.",
+"integer" => ":attribute deve ser um número inteiro.",
+"ip" => ":attribute deve ser um endereço IP válido.",
+"max" => array(
+ "numeric" => ":attribute não pode ser maior que :max.",
+ "file" => ":attribute não pode ser maior que :max kilobytes.",
+ "string" => ":attribute não pode ser maior que :max caracteres.",
+ "array" => ":attribute não pode conter mais que :max itens.",
+ ),
+"mimes" => ":attribute deve ser um arquivo do tipo: :values.",
+"min" => array(
+ "numeric" => ":attribute não deve ser menor que :min.",
+ "file" => ":attribute deve ter no mínimo :min kilobytes.",
+ "string" => ":attribute deve conter no mínimo :min caracteres.",
+ "array" => ":attribute deve conter ao menos :min itens.",
+ ),
+"not_in" => "A opção selecionada :attribute é inválida.",
+"numeric" => ":attribute deve ser um número.",
+"regex" => ":attribute está em um formato inválido.",
+"required" => ":attribute é um campo obrigatório.",
+"required_if" => ":attribute é necessário quando :other é :value.",
+"required_with" => ":attribute é obrigatório quando :values está presente.",
+"required_without" => ":attribute é obrigatório quando :values não está presente.",
+"same" => ":attribute e :other devem corresponder.",
+"size" => array(
+ "numeric" => ":attribute deve ter :size.",
+ "file" => ":attribute deve ter :size kilobytes.",
+ "string" => ":attribute deve conter :size caracteres.",
+ "array" => ":attribute deve conter :size itens.",
+ ),
+"unique" => ":attribute já está sendo utilizado.",
+"url" => ":attribute está num formato inválido.",
+
+"positive" => ":attribute deve ser maior que zero.",
+"has_credit" => "O cliente não possui crédito suficiente.",
+"notmasked" => "Os valores são mascarados",
+"less_than" => ':attribute deve ser menor que :value',
+"has_counter" => 'O valor deve conter {$counter}',
+"valid_contacts" => "Todos os contatos devem conter um email ou nome",
+"valid_invoice_items" => "Esta fatura excedeu o número máximo de itens",
+
+/*
+|--------------------------------------------------------------------------
+| Custom Validation Language Lines
+|--------------------------------------------------------------------------
+|
+| Here you may specify custom validation messages for attributes using the
+| convention "attribute.rule" to name the lines. This makes it quick to
+| specify a specific custom language line for a given attribute rule.
+|
+*/
+
+'custom' => array(),
+
+/*
+|--------------------------------------------------------------------------
+| Custom Validation Attributes
+|--------------------------------------------------------------------------
+|
+| The following language lines are used to swap attribute place-holders
+| with something more reader friendly such as E-Mail Address instead
+| of "email". This simply helps us make messages a little cleaner.
+|
+*/
+
+'attributes' => array(),
+
+);
diff --git a/resources/lang/ro/auth.php b/resources/lang/ro/auth.php
new file mode 100644
index 000000000000..4ecf2fdcab61
--- /dev/null
+++ b/resources/lang/ro/auth.php
@@ -0,0 +1,19 @@
+ 'Datele de identificare nu pot fi confirmate.',
+ 'throttle' => 'Prea multe încercări de intrare în cont. Poți încerca din nou peste :seconds secunde.',
+
+];
diff --git a/resources/lang/ro/pagination.php b/resources/lang/ro/pagination.php
new file mode 100644
index 000000000000..b7108a2365be
--- /dev/null
+++ b/resources/lang/ro/pagination.php
@@ -0,0 +1,19 @@
+ '« Înapoi',
+ 'next' => 'Înainte »',
+
+];
diff --git a/resources/lang/ro/passwords.php b/resources/lang/ro/passwords.php
new file mode 100644
index 000000000000..608fa378d58e
--- /dev/null
+++ b/resources/lang/ro/passwords.php
@@ -0,0 +1,22 @@
+ 'Parola trebuie să fie de cel puțin șase caractere și să se potrivească cu cea de confirmare.',
+ 'reset' => 'Parola a fost resetată!',
+ 'sent' => 'Am trimis un e-mail cu link-ul de resetare a parolei!',
+ 'token' => 'Codul de resetare a parolei este greșit.',
+ 'user' => 'Nu există niciun utilizator cu această adresă de e-mail.',
+
+];
diff --git a/resources/lang/ro/texts.php b/resources/lang/ro/texts.php
new file mode 100644
index 000000000000..539671642c91
--- /dev/null
+++ b/resources/lang/ro/texts.php
@@ -0,0 +1,2874 @@
+ 'Organizație',
+ 'name' => 'Nume',
+ 'website' => 'Site web',
+ 'work_phone' => 'Telefon',
+ 'address' => 'Adresă',
+ 'address1' => 'Strada',
+ 'address2' => 'Apartament',
+ 'city' => 'Localitate',
+ 'state' => 'Județ/Sector',
+ 'postal_code' => 'Cod poștal',
+ 'country_id' => 'Țara',
+ 'contacts' => 'Contacte',
+ 'first_name' => 'Prenume',
+ 'last_name' => 'Nume',
+ 'phone' => 'Telefon',
+ 'email' => 'Email',
+ 'additional_info' => 'Informații suplimentare',
+ 'payment_terms' => 'Termeni de plată',
+ 'currency_id' => 'Moneda',
+ 'size_id' => 'Mărime Companie',
+ 'industry_id' => 'Profil',
+ 'private_notes' => 'Note particulare',
+ 'invoice' => 'Factură',
+ 'client' => 'Client',
+ 'invoice_date' => 'Data factură',
+ 'due_date' => 'Scadența',
+ 'invoice_number' => 'Număr factură',
+ 'invoice_number_short' => 'Factura #',
+ 'po_number' => 'Ordin de cumpărare nr',
+ 'po_number_short' => 'Nr. ordin',
+ 'frequency_id' => 'Cât de des',
+ 'discount' => 'Discount',
+ 'taxes' => 'Taxe',
+ 'tax' => 'Taxă',
+ 'item' => 'Element',
+ 'description' => 'Descriere',
+ 'unit_cost' => 'Preț unitar',
+ 'quantity' => 'Cantitate',
+ 'line_total' => 'Total linie',
+ 'subtotal' => 'Subtotal',
+ 'paid_to_date' => 'Plătit Pâna Acum',
+ 'balance_due' => 'Total De Plată',
+ 'invoice_design_id' => 'Model',
+ 'terms' => 'Termeni',
+ 'your_invoice' => 'Factura dumneavoastră',
+ 'remove_contact' => 'Șterge contact',
+ 'add_contact' => 'Adauga contact',
+ 'create_new_client' => 'Creaza client nou',
+ 'edit_client_details' => 'Modifica detalii client',
+ 'enable' => 'Activeaza',
+ 'learn_more' => 'Afla mai mult',
+ 'manage_rates' => 'Editeaza Rate',
+ 'note_to_client' => 'Mesaj Client',
+ 'invoice_terms' => 'Termeni facturare',
+ 'save_as_default_terms' => 'Salveaza ca predefinit',
+ 'download_pdf' => 'Descarca PDF',
+ 'pay_now' => 'Plateste acum',
+ 'save_invoice' => 'Salveaza factura',
+ 'clone_invoice' => 'Multiplică in Factură',
+ 'archive_invoice' => 'Arhiveaza factura',
+ 'delete_invoice' => 'Sterge factura',
+ 'email_invoice' => 'Trimite email',
+ 'enter_payment' => 'Introdu plata',
+ 'tax_rates' => 'Valori taxa',
+ 'rate' => 'Valoare',
+ 'settings' => 'Setari',
+ 'enable_invoice_tax' => 'Activează specificarea taxei pe factură',
+ 'enable_line_item_tax' => 'Activează specificarea taxei pe fiecare element al facturii',
+ 'dashboard' => 'Panou Control',
+ 'clients' => 'Clienti',
+ 'invoices' => 'Facturi',
+ 'payments' => 'Plati',
+ 'credits' => 'Credite',
+ 'history' => 'Istoric',
+ 'search' => 'Cauta',
+ 'sign_up' => 'Inscrie-te',
+ 'guest' => 'Anonim',
+ 'company_details' => 'Detalii companie',
+ 'online_payments' => 'Plati online',
+ 'notifications' => 'Notificări',
+ 'import_export' => 'Import | Export',
+ 'done' => 'Gata',
+ 'save' => 'Salveaza',
+ 'create' => 'Creaza',
+ 'upload' => 'Incarca',
+ 'import' => 'Importa',
+ 'download' => 'Descarca',
+ 'cancel' => 'Renunta',
+ 'close' => 'Inchide',
+ 'provide_email' => 'Te rog sa dai o adresa email corecta',
+ 'powered_by' => 'Creat de',
+ 'no_items' => 'Nici un element',
+ 'recurring_invoices' => 'Facturi Recurente',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'in total venituri',
+ 'billed_client' => 'client facturat',
+ 'billed_clients' => 'clienti facturati',
+ 'active_client' => 'client activ',
+ 'active_clients' => 'clienti activi',
+ 'invoices_past_due' => 'Facturi Cu Termen Depasit',
+ 'upcoming_invoices' => 'Facturi urmatoare',
+ 'average_invoice' => 'Medie facturi',
+ 'archive' => 'Arhiva',
+ 'delete' => 'Sterge',
+ 'archive_client' => 'Arhiveaza client',
+ 'delete_client' => 'Sterge client',
+ 'archive_payment' => 'Arhiveaza plata',
+ 'delete_payment' => 'Sterge plata',
+ 'archive_credit' => 'Arhiveaza credit',
+ 'delete_credit' => 'Sterge credit',
+ 'show_archived_deleted' => 'Arata arhivate/sterse',
+ 'filter' => 'Filtreaza',
+ 'new_client' => 'Client nou',
+ 'new_invoice' => 'Factura noua',
+ 'new_payment' => 'Introdu plata',
+ 'new_credit' => 'Adaugă Credit',
+ 'contact' => 'Contact',
+ 'date_created' => 'Data crearii',
+ 'last_login' => 'Ultima autentificare',
+ 'balance' => 'Balanta',
+ 'action' => 'Actiune',
+ 'status' => 'Stare',
+ 'invoice_total' => 'Total factura',
+ 'frequency' => 'Frecventa',
+ 'start_date' => 'Data inceput',
+ 'end_date' => 'Data sfirsit',
+ 'transaction_reference' => 'Referinta tranzactie',
+ 'method' => 'Metoda',
+ 'payment_amount' => 'Valoare plata',
+ 'payment_date' => 'Data platii',
+ 'credit_amount' => 'Valoare credit',
+ 'credit_balance' => 'Soldul Creditului',
+ 'credit_date' => 'Data Creditului',
+ 'empty_table' => 'Nu exista informatii',
+ 'select' => 'Selecteaza',
+ 'edit_client' => 'Modifica client',
+ 'edit_invoice' => 'Modifica factura',
+ 'create_invoice' => 'Creaza factura',
+ 'enter_credit' => 'Adaugă Credit',
+ 'last_logged_in' => 'Ultima Autentificare',
+ 'details' => 'Detalii',
+ 'standing' => 'Curent',
+ 'credit' => 'Credit',
+ 'activity' => 'Activitate',
+ 'date' => 'Data',
+ 'message' => 'Mesaj',
+ 'adjustment' => 'Ajustari',
+ 'are_you_sure' => 'Sigur?',
+ 'payment_type_id' => 'Tip plata',
+ 'amount' => 'Valoare',
+ 'work_email' => 'Email',
+ 'language_id' => 'Limba',
+ 'timezone_id' => 'Fus orar',
+ 'date_format_id' => 'Format data',
+ 'datetime_format_id' => 'Format Data/Ora',
+ 'users' => 'Utilizatori',
+ 'localization' => 'Localizare',
+ 'remove_logo' => 'Indeparteaza logo',
+ 'logo_help' => 'Fisiere suportate: JPEG, GIF si PNG',
+ 'payment_gateway' => 'Procesator Plata',
+ 'gateway_id' => 'Procesator',
+ 'email_notifications' => 'Notificari email',
+ 'email_sent' => 'Trimite-mi un email cind o factura este trimisa',
+ 'email_viewed' => 'Trimite-mi un email cind o factura este vizualizata',
+ 'email_paid' => 'Trimite-mi un email cind o factura este platita',
+ 'site_updates' => 'Actualizari site',
+ 'custom_messages' => 'Mesaje personalizate',
+ 'default_email_footer' => 'Setare ca implicit a semnăturii în email',
+ 'select_file' => 'Alege un fisier',
+ 'first_row_headers' => 'Folosește primul rând ca header',
+ 'column' => 'Coloana',
+ 'sample' => 'Exemplar',
+ 'import_to' => 'Importa In',
+ 'client_will_create' => 'clientul va fi creat',
+ 'clients_will_create' => 'clientii vor fi creati',
+ 'email_settings' => 'Setari email',
+ 'client_view_styling' => 'Modul în care este văzut de client',
+ 'pdf_email_attachment' => 'Atașează PDF',
+ 'custom_css' => 'Editeaza CSS',
+ 'import_clients' => 'Importa Date Clienti',
+ 'csv_file' => 'fisier CSV',
+ 'export_clients' => 'Exporta Date Client',
+ 'created_client' => 'S-a creat clientul cu succes',
+ 'created_clients' => 'Succes creare :count client(i)',
+ 'updated_settings' => 'Setari actualizate cu succes',
+ 'removed_logo' => 'Logo sters cu succes',
+ 'sent_message' => 'Mesaj trimis cu succes',
+ 'invoice_error' => 'Te rog alege un client si corecteaza erorile',
+ 'limit_clients' => 'Ne pare rau, aceasta va depasi numarul de :count clienti',
+ 'payment_error' => 'A fost o eroare in procesarea platii. Te rog sa incerci mai tarizu.',
+ 'registration_required' => 'Te rog inscrie-te ca sa trimiti o factura pe email.',
+ 'confirmation_required' => 'Confirmați adresa dvs. de e-mail, :link pentru a retrimite e-mailul de confirmare.',
+ 'updated_client' => 'Client actualizat cu succes.',
+ 'created_client' => 'S-a creat clientul cu succes',
+ 'archived_client' => 'Client arhivat cu succes.',
+ 'archived_clients' => ':count clienti arhivat cu succes.',
+ 'deleted_client' => 'Client sters cu succes.',
+ 'deleted_clients' => ':count clienti stersi cu succes.',
+ 'updated_invoice' => 'Factura actualiazata cu succes.',
+ 'created_invoice' => 'Factura creata cu succes.',
+ 'cloned_invoice' => 'Factura clonata cu succes.',
+ 'emailed_invoice' => 'Factura trimisa pe email cu succes',
+ 'and_created_client' => 'si client creat',
+ 'archived_invoice' => 'Factura arhivata cu succes.',
+ 'archived_invoices' => ':count facturi arhivate cu succes.',
+ 'deleted_invoice' => 'Factura stearsa cu succes.',
+ 'deleted_invoices' => ':count facturi sterse cu succes',
+ 'created_payment' => 'Plata creata cu succes.',
+ 'created_payments' => ':count plata(i) create cu succes',
+ 'archived_payment' => 'Plata arhivata cu succes',
+ 'archived_payments' => ':count plati arhivate cu succes',
+ 'deleted_payment' => 'Plata stearsa cu succes.',
+ 'deleted_payments' => ':count plati sterse cu succes.',
+ 'applied_payment' => 'S-a aplicat plata cu succes',
+ 'created_credit' => 'Credit adăugat cu succes',
+ 'archived_credit' => 'Credit arhivat cu succes',
+ 'archived_credits' => ':count credite au fost arhivate cu succes',
+ 'deleted_credit' => 'Credit șters',
+ 'deleted_credits' => ':count șters',
+ 'imported_file' => 'Fișier importat cu succes',
+ 'updated_vendor' => 'Furnizor actualizat cu succes',
+ 'created_vendor' => 'Furnizor creat cu succes',
+ 'archived_vendor' => 'Furnizor arhivat cu succes.',
+ 'archived_vendors' => ':count furnizor(i) arhivaț(i) cu succes.',
+ 'deleted_vendor' => 'Furnizor șters cu succes',
+ 'deleted_vendors' => ':count furnizori ștersi cu succes.',
+ 'confirmation_subject' => 'Cont Invoice Ninja confirmat',
+ 'confirmation_header' => 'Confirmare cont',
+ 'confirmation_message' => 'Te rugăm accesează link-ul de mai jos pentru a confirma contul.',
+ 'invoice_subject' => 'Factură nouă :number de la :account',
+ 'invoice_message' => 'Pentru a vizualiza factura în valoare de :amount, apasă pe link-ul de mai jos.',
+ 'payment_subject' => 'Plată primită',
+ 'payment_message' => 'Mulțumim pentru plata în valoare de :amount',
+ 'email_salutation' => 'Draga :name',
+ 'email_signature' => 'În legătură cu,',
+ 'email_from' => 'Echipa Invoice Ninja',
+ 'invoice_link_message' => 'Pentru a vizualiza factura apasă pe link-ul de mai jos:',
+ 'notification_invoice_paid_subject' => 'Factura :invoce a fost platita de :client',
+ 'notification_invoice_sent_subject' => 'Factura :invoice a fost trimisă la :client',
+ 'notification_invoice_viewed_subject' => 'Factura :invoice a fost vizualizată de :client',
+ 'notification_invoice_paid' => 'O plată în valoare de :amount a fost făcută de :client pentru factura :invoice',
+ 'notification_invoice_sent' => 'Clientului :client a i-a fost trimisă factura :invoice în valoare de :amount.',
+ 'notification_invoice_viewed' => 'Clientul :client a vizualizat factura :invoice în valoare de :amount.',
+ 'reset_password' => 'Poți să iți resetezi parola contului accesând următorul buton:',
+ 'secure_payment' => 'Plată Securizată',
+ 'card_number' => 'Numar card',
+ 'expiration_month' => 'Luna expirarii',
+ 'expiration_year' => 'Anul expirarii',
+ 'cvv' => 'CVV',
+ 'logout' => 'Deconectare',
+ 'sign_up_to_save' => 'Înregistrează-te pentru a salva',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Termenii Serviciului',
+ 'email_taken' => 'Adresa de email este deja înregistrată',
+ 'working' => 'În lucru',
+ 'success' => 'Succes',
+ 'success_message' => 'Te-ai înregistrat cu succes! Accesează link-ul primit pe adresa de email folosită la înregistrare pentru a confirma contul. ',
+ 'erase_data' => 'Contul tău nu este înregistrat. Toate datele for fi șterse',
+ 'password' => 'Parola',
+ 'pro_plan_product' => 'Pachet PRO',
+ 'pro_plan_success' => 'Thanks for choosing Invoice Ninja\'s Pro plan!
+ Next StepsA 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',
+ 'unsaved_changes' => 'Ai modificari nesalvate',
+ 'custom_fields' => 'Câmpuri personalizate',
+ 'company_fields' => 'Câmpuri Persoana Juridică',
+ 'client_fields' => 'Câmpuri Clienți',
+ 'field_label' => 'Etichetă cămp',
+ 'field_value' => 'Valoare câmp',
+ 'edit' => 'Modifica',
+ 'set_name' => 'Completează numele firme',
+ 'view_as_recipient' => 'Vezi ca destinatar',
+ 'product_library' => 'Librăria de produse',
+ 'product' => 'Produs',
+ 'products' => 'Produse',
+ 'fill_products' => 'Completează automat produsele',
+ 'fill_products_help' => 'Alegând un produs descrierea și prețul vor fi completate automat',
+ 'update_products' => 'Actualizare automată a produselor',
+ 'update_products_help' => 'Actualizând o factură se va actualiza si librăria de produse',
+ 'create_product' => 'Adauga produs',
+ 'edit_product' => 'Modifica produs',
+ 'archive_product' => 'Arhivă produse',
+ 'updated_product' => 'Produs actualizat cu succes',
+ 'created_product' => 'Produs creat cu succes',
+ 'archived_product' => 'Produs arhivat cu succes',
+ 'pro_plan_custom_fields' => ':link pentru a activa câmpurile personalizate dacă te abonezi la Pachetul PRO',
+ 'advanced_settings' => 'Opțiuni avansate',
+ 'pro_plan_advanced_settings' => ':link pentru a activa opțiunile avansate dacă te abonezi la Pachetul PRO',
+ 'invoice_design' => 'Design factură',
+ 'specify_colors' => 'Specifică culori',
+ 'specify_colors_label' => 'Alege culorile utilizate în factură',
+ 'chart_builder' => 'Creator grafice',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Abonare la pachetul PRO',
+ 'quote' => 'Proforma',
+ 'quotes' => 'Proforme',
+ 'quote_number' => 'Numar Proforma',
+ 'quote_number_short' => 'Proforma #',
+ 'quote_date' => 'Data Proforma',
+ 'quote_total' => 'Total Proforma',
+ 'your_quote' => 'Proforma Ta',
+ 'total' => 'Total',
+ 'clone' => 'Multiplică',
+ 'new_quote' => 'Proforma Nou',
+ 'create_quote' => 'Creaza Proforma',
+ 'edit_quote' => 'Modifica Proforma',
+ 'archive_quote' => 'Arhveaza Proforma',
+ 'delete_quote' => 'Sterge Proforma',
+ 'save_quote' => 'Salveaza Proforma',
+ 'email_quote' => 'Trimite Proforma',
+ 'clone_quote' => 'Clone To Quote',
+ 'convert_to_invoice' => 'Transformă în Factură',
+ 'view_invoice' => 'Vizualizare Factură',
+ 'view_client' => 'Vizualizare Client',
+ 'view_quote' => 'Vizualizare Ofertă',
+ 'updated_quote' => 'Ofertă actualizată cu succes',
+ 'created_quote' => 'Ofertă creată cu succes',
+ 'cloned_quote' => 'Ofertă multiplicată cu succes',
+ 'emailed_quote' => 'Ofertă trimisă cu succes',
+ 'archived_quote' => 'Ofertă arhivată cu succes',
+ 'archived_quotes' => ':count oferte arhivate',
+ 'deleted_quote' => 'Ofertă ștearsă',
+ 'deleted_quotes' => ':count oferte șterse',
+ 'converted_to_invoice' => 'Ofertă transformată în factură',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'Pentru a vizualiza oferta pentru :amount, accesează link-ul de mai jos.',
+ 'quote_link_message' => 'Pentru a vedea oferta clientului accesează link-ul de mai jos:',
+ 'notification_quote_sent_subject' => 'Oferta :invoice a fost trimisă la :client',
+ 'notification_quote_viewed_subject' => 'Oferta :invoice a fost vizualizată de :client',
+ 'notification_quote_sent' => 'Clientul :client a primit Oferta :invoice în valoare de :amount.',
+ 'notification_quote_viewed' => 'Clientul :client a vizualizat Oferta :invoice în valoare de :amount.',
+ 'session_expired' => 'Sesiunea a expirat.',
+ 'invoice_fields' => 'Câmpuri Factură',
+ 'invoice_options' => 'Opțiuni Factură',
+ 'hide_paid_to_date' => 'Ascunde câmpul "Plătit până la"',
+ 'hide_paid_to_date_help' => 'Afișează "Plătit pana la" decât când plata a fost efectuată.',
+ 'charge_taxes' => 'Taxe',
+ 'user_management' => 'Utilizatori',
+ 'add_user' => 'Adaugă utilizator',
+ 'send_invite' => 'Trimite Invitație',
+ 'sent_invite' => 'Invitație trimisă',
+ 'updated_user' => 'Utilizator actualizat',
+ 'invitation_message' => 'Ai fost invitat de :invitor.',
+ 'register_to_add_user' => 'Înregistrează-te pentru a adaugă un utilizator',
+ 'user_state' => 'Stat/Județ',
+ 'edit_user' => 'Modifică Utilizator',
+ 'delete_user' => '
+Șterge utilizator',
+ 'active' => 'Activ',
+ 'pending' => 'În așteptare',
+ 'deleted_user' => 'Utilizator șters',
+ 'confirm_email_invoice' => 'Ești sigur că vrei să trimiți acestă factură?',
+ 'confirm_email_quote' => 'Ești sigur că vrei să trimiți acestă ofertă?',
+ 'confirm_recurring_email_invoice' => 'Ești sigur că vrei să trimiți acestă factură?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Șterge cont',
+ 'cancel_account_message' => 'ATENȚIE: Toate datele vor fi șterse definitiv, nu se pot recupera.',
+ 'go_back' => 'Înapoi',
+ 'data_visualizations' => 'Data Visualizations',
+ 'sample_data' => 'Sample data shown',
+ 'hide' => 'Ascunde',
+ 'new_version_available' => 'O nouă versiune de :releases_link este disponibilă. Versiunea ta este v:user_version, ultima versiune este v:latest_version',
+ 'invoice_settings' => 'Opțiuni Factură',
+ 'invoice_number_prefix' => 'Prefix Factură',
+ 'invoice_number_counter' => 'Plajă număr factură',
+ 'quote_number_prefix' => 'Prefix Ofertă',
+ 'quote_number_counter' => 'Plajă număr ofertă',
+ 'share_invoice_counter' => 'Share invoice counter',
+ 'invoice_issued_to' => 'Factură emisă câtre',
+ 'invalid_counter' => 'Pentru a evita orice conflict te rugăm să completezi un prefix la factuă sau la ofertă',
+ 'mark_sent' => 'Marchează ca trimis',
+ 'gateway_help_1' => ':link pentru înregistrare la Authorize.net.',
+ 'gateway_help_2' => ':link pentru înregistrare la Authorize.net.',
+ 'gateway_help_17' => ':link pentru obținere API PAYPAL',
+ 'gateway_help_27' => ':link to sign up for 2Checkout.com. To ensure payments are tracked set :complete_link as the redirect URL under Account > Site Management in the 2Checkout portal.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'Mai multe modele',
+ 'more_designs_title' => 'Alte modele de Facturi',
+ 'more_designs_cloud_header' => 'Abonează-te pentru mai multe modele de facturi',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Cumpără',
+ 'bought_designs' => 'Au fost adăugate alte modele de facturi',
+ 'sent' => 'Sent',
+ 'vat_number' => 'T.V.A.',
+ 'timesheets' => 'Evidența timpului',
+ 'payment_title' => 'Completează adresa de facturare si datele Cardului de Credit',
+ 'payment_cvv' => '*Ultimile 3-4 cifre de pe spatele cardului de credit',
+ 'payment_footer1' => '*Adresa de facturare trebuie să se potrivească cu cea de pe Card',
+ 'payment_footer2' => '*Apasă doar o dată pe "PLĂTEȘTE ACUM" - tranzacția poate dura până la 1 minut pentru a fi procesată.',
+ 'id_number' => 'Număr ID',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'Successfully enabled white label license',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Restaurează',
+ 'restore_invoice' => 'Restaureză Factura',
+ 'restore_quote' => 'Restaureză Oferta',
+ 'restore_client' => 'Restaurează Client',
+ 'restore_credit' => 'Restaurează Credit',
+ 'restore_payment' => 'Restaurează Plată',
+ 'restored_invoice' => 'Factură restaurată',
+ 'restored_quote' => 'Ofertă restaurată',
+ 'restored_client' => 'Client restaurat',
+ 'restored_payment' => 'Plată restaurată',
+ 'restored_credit' => 'Credit restaurat',
+ 'reason_for_canceling' => 'Te rugăm să motivezi părăsirea acestui serviciu. Ne va ajuta să devenim mai buni.',
+ 'discount_percent' => 'Procent',
+ 'discount_amount' => 'Sumă',
+ 'invoice_history' => 'Istoric facturi',
+ 'quote_history' => 'Istoric Oferte',
+ 'current_version' => 'Versiunea Curentă',
+ 'select_version' => 'Alege versiune',
+ 'view_history' => 'Vizualizare Istoric',
+ 'edit_payment' => 'Modifică Plata',
+ 'updated_payment' => 'Plată actualizată',
+ 'deleted' => 'Șters',
+ 'restore_user' => 'Restaurează Utilizator',
+ 'restored_user' => 'Utilizator restaurat',
+ 'show_deleted_users' => 'Arată utilizatori șțerși',
+ 'email_templates' => 'Model Email',
+ 'invoice_email' => 'Email Factură',
+ 'payment_email' => 'Email Plată',
+ 'quote_email' => 'Email Ofertă',
+ 'reset_all' => 'Resetează tot',
+ 'approve' => 'Aprobă',
+ 'token_billing_type_id' => 'Token facturare',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Dezactivat.',
+ 'token_billing_2' => 'Opt-in - checkbox is shown but not selected',
+ 'token_billing_3' => 'Opt-out - checkbox is shown and selected',
+ 'token_billing_4' => 'Întotdeaunea',
+ 'token_billing_checkbox' => 'Salveză datele Cardurilor',
+ 'view_in_gateway' => 'Vizualizare în :gateway',
+ 'use_card_on_file' => 'Folosește card-ul salvat',
+ 'edit_payment_details' => 'Modifică detaliile plății',
+ 'token_billing' => 'Salvează datele cardului',
+ 'token_billing_secure' => 'Datele sunt păstrare în siguranță de :link',
+ 'support' => 'Asistență',
+ 'contact_information' => 'Date de contact',
+ '256_encryption' => 'Encripție de 256-Biți',
+ 'amount_due' => 'Sumă de plată',
+ 'billing_address' => 'Adresă de facturare',
+ 'billing_method' => 'Metodă de facturare',
+ 'order_overview' => 'Rezumat comandă',
+ 'match_address' => '*Adresa trebuie să se potrivească cu cea asociată Card-ului',
+ 'click_once' => '*Apasă doar o dată pe "PLĂTEȘTE ACUM" - tranzacția poate dura până la 1 minut pentru a fi procesată.',
+ 'invoice_footer' => 'Subsol Factură',
+ 'save_as_default_footer' => 'Salvează ca subsol implicit',
+ 'token_management' => 'Management Token-uri',
+ 'tokens' => 'Token-uri',
+ 'add_token' => 'Adaugă Token',
+ 'show_deleted_tokens' => 'Arată Token-urile șterse',
+ 'deleted_token' => 'Token șters',
+ 'created_token' => 'Token creat',
+ 'updated_token' => 'Actualizează token',
+ 'edit_token' => 'Modifica token',
+ 'delete_token' => 'Șterge Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Adaugă Gateway',
+ 'delete_gateway' => 'Șterge Gateway',
+ 'edit_gateway' => 'Modifică Gateway',
+ 'updated_gateway' => 'Gateway actualizat',
+ 'created_gateway' => 'Gateway creat',
+ 'deleted_gateway' => 'Gateway șters',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Card de Credit',
+ 'change_password' => 'Schimbă parola',
+ 'current_password' => 'Parola actuală',
+ 'new_password' => 'Noua parolă',
+ 'confirm_password' => 'Confirmă noua parolă',
+ 'password_error_incorrect' => 'Parola actuală este incorectă.',
+ 'password_error_invalid' => 'Noua parolă este invalidă.',
+ 'updated_password' => 'Parolă actualizată',
+ 'api_tokens' => 'Token API',
+ 'users_and_tokens' => 'Utilizatori & Token-uri',
+ 'account_login' => 'Autentificare',
+ 'recover_password' => 'Recuperează parola',
+ 'forgot_password' => 'Ai uitat parola?',
+ 'email_address' => 'Adresă email',
+ 'lets_go' => 'Mai departe',
+ 'password_recovery' => 'Recuperare Parolă',
+ 'send_email' => 'Trimite Email',
+ 'set_password' => 'Stabilește Parola',
+ 'converted' => 'Transformă',
+ 'email_approved' => 'Trimite-mi un email când Oferta este aprobată',
+ 'notification_quote_approved_subject' => 'Oferta :invoice a fost aprobată de :client',
+ 'notification_quote_approved' => ':client a probat Oferta :invoice în valoare de :amount.',
+ 'resend_confirmation' => 'Retrimite email confirmare',
+ 'confirmation_resent' => 'Email-ul de confirmare a fost trimis',
+ 'gateway_help_42' => ':link pentru înscriere la BitPay.
+Atentie: Folosește Legacy API Key, nu Token API',
+ 'payment_type_credit_card' => 'Card de Credit',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Baza de cunoștințe',
+ 'partial' => 'Parțial/Depunere',
+ 'partial_remaining' => ':partial din :balance',
+ 'more_fields' => 'Mai mult câmpuri',
+ 'less_fields' => 'Mai puține câmpuri',
+ 'client_name' => 'Client Name',
+ 'pdf_settings' => 'Opțiuni PDF',
+ 'product_settings' => 'Opțiuni Produs',
+ 'auto_wrap' => 'Linie nouă automată',
+ 'duplicate_post' => 'Atenție: pagina a fost transmisă de două ori. A doua transmitere a fost ignorată.',
+ 'view_documentation' => 'Vezi documentație',
+ 'app_title' => 'Facturare online gratuită și open source',
+ 'app_description' => 'Invoice Ninja este un program gratuit, open-source soluție pentru facturare. Cu Invoice Ninja, puteți construi și trimite cu ușurință facturi de pe orice dispozitiv care are acces la internet. clienții pot imprima facturile, descarca ca fișiere PDF, și chiar plătii online din cadrul sistemului.',
+ 'rows' => 'rânduri',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdomeniu',
+ 'provide_name_or_email' => 'Completează un nume sau o adresă de email',
+ 'charts_and_reports' => 'Rapoarte și grafice',
+ 'chart' => 'Grafic',
+ 'report' => 'Raport',
+ 'group_by' => 'Grupează după',
+ 'paid' => 'Plătit',
+ 'enable_report' => 'Raport',
+ 'enable_chart' => 'Grafic',
+ 'totals' => 'Total',
+ 'run' => 'Rulează',
+ 'export' => 'Exportă',
+ 'documentation' => 'Documentație',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Recurent',
+ 'last_invoice_sent' => 'Ultima factură trimisă la :date',
+ 'processed_updates' => 'Actualizare completă',
+ 'tasks' => 'Task-uri',
+ 'new_task' => 'Task nou',
+ 'start_time' => 'Timp pornire',
+ 'created_task' => 'Task creat',
+ 'updated_task' => 'Task actualizat',
+ 'edit_task' => 'Modifică Task',
+ 'archive_task' => 'Athivează Task',
+ 'restore_task' => 'Restaurează Task',
+ 'delete_task' => 'Șterge Task',
+ 'stop_task' => 'Oprește Task',
+ 'time' => 'Timp',
+ 'start' => 'Start',
+ 'stop' => 'Stop',
+ 'now' => 'Acum',
+ 'timer' => 'Cronometru',
+ 'manual' => 'Manual',
+ 'date_and_time' => 'Data și Timpul',
+ 'second' => 'Second',
+ 'seconds' => 'Seconds',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minutes',
+ 'hour' => 'Hour',
+ 'hours' => 'Hours',
+ 'task_details' => 'Detalii Task',
+ 'duration' => 'Durată',
+ 'end_time' => 'Timp încheiere',
+ 'end' => 'Sfârșit',
+ 'invoiced' => 'Facturat',
+ 'logged' => 'Înregistrat',
+ 'running' => 'În derulare',
+ 'task_error_multiple_clients' => 'Task-ul nu poate aparține mai multor clienți',
+ 'task_error_running' => 'Oprește Task-ul înainte',
+ 'task_error_invoiced' => 'Task-urile au fost deja facturate',
+ 'restored_task' => 'Task restaurat',
+ 'archived_task' => 'Task arhivat',
+ 'archived_tasks' => 'Arhivat :count task-uri',
+ 'deleted_task' => 'Task șters',
+ 'deleted_tasks' => 'Șters :count task-uri',
+ 'create_task' => 'Crează Task',
+ 'stopped_task' => 'Task oprit',
+ 'invoice_task' => 'Făcturează task',
+ 'invoice_labels' => 'Etichete Facturare',
+ 'prefix' => 'Prefix',
+ 'counter' => 'Contor',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link pentru înregistrare la Dwolla',
+ 'partial_value' => 'Trebuie să fie mai mare ca zero și mai mic ca totalul',
+ 'more_actions' => 'Mai multe acțiuni',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Îmbunătățește acum!',
+ 'pro_plan_feature1' => 'Crează Clienți Nelimitați',
+ 'pro_plan_feature2' => '10 modele de Facturi',
+ 'pro_plan_feature3' => 'URL customizabil - "FirmaTa.InjoiceNinja.com"',
+ 'pro_plan_feature4' => 'Înlătură "Creat de Invoice Ninja"',
+ 'pro_plan_feature5' => 'Acces pentru mai mulți utilizatori și Monitorizarea Activității',
+ 'pro_plan_feature6' => 'Crează Oferte și Proforme',
+ 'pro_plan_feature7' => 'Personalizează câmpurile și numerotarea facturilor',
+ 'pro_plan_feature8' => 'Psobilitatea de a trimite facturile PDF pe email',
+ 'resume' => 'Continuă',
+ 'break_duration' => 'Întrerupe',
+ 'edit_details' => 'Modifică Detalii',
+ 'work' => 'Activitate',
+ 'timezone_unset' => 'Alege :link fusul orar',
+ 'click_here' => 'apasă aici',
+ 'email_receipt' => 'Trimite pe email dovada plății',
+ 'created_payment_emailed_client' => 'Plată creată și trimisă clientului',
+ 'add_company' => 'Adaugă Firmă',
+ 'untitled' => 'Fără titlu',
+ 'new_company' => 'Firmă nouă',
+ 'associated_accounts' => 'Conturi conectate',
+ 'unlinked_account' => 'Conturi deconectate',
+ 'login' => 'Autentificare',
+ 'or' => 'sau',
+ 'email_error' => 'A apărut o problemă la trimiterea email-ului',
+ 'confirm_recurring_timing' => 'Note: emails are sent at the start of the hour.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Sets the default invoice due date',
+ 'unlink_account' => 'Unlink Account',
+ 'unlink' => 'Unlink',
+ 'show_address' => 'Show Address',
+ 'show_address_help' => 'Require client to provide their billing address',
+ 'update_address' => 'Update Address',
+ 'update_address_help' => 'Update client\'s address with provided details',
+ 'times' => 'Times',
+ 'set_now' => 'Set to now',
+ 'dark_mode' => 'Dark Mode',
+ 'dark_mode_help' => 'Use a dark background for the sidebars',
+ 'add_to_invoice' => 'Add to invoice :invoice',
+ 'create_new_invoice' => 'Create new invoice',
+ 'task_errors' => 'Please correct any overlapping times',
+ 'from' => 'De la',
+ 'to' => 'Către',
+ 'font_size' => 'Dimensiune Font',
+ 'primary_color' => 'Culoare Principală',
+ 'secondary_color' => 'Culoare Secundară',
+ 'customize_design' => 'Personalizează Design',
+ 'content' => 'Conținut',
+ 'styles' => 'Stil',
+ 'defaults' => 'Implicit',
+ 'margins' => 'Margini',
+ 'header' => 'Header',
+ 'footer' => 'Footer',
+ 'custom' => 'Custom',
+ 'invoice_to' => 'Invoice to',
+ 'invoice_no' => 'Nr. Factura',
+ 'quote_no' => 'Quote No.',
+ 'recent_payments' => 'Recent Payments',
+ 'outstanding' => 'Outstanding',
+ 'manage_companies' => 'Manage Companies',
+ 'total_revenue' => 'Total Revenue',
+ 'current_user' => 'Current User',
+ 'new_recurring_invoice' => 'New Recurring Invoice',
+ 'recurring_invoice' => 'Recurring Invoice',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'It\'s too soon to create the next recurring invoice, it\'s scheduled for :date',
+ 'created_by_invoice' => 'Created by :invoice',
+ 'primary_user' => 'Primary User',
+ 'help' => 'Help',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Due Date',
+ 'quote_due_date' => 'Valid Until',
+ 'valid_until' => 'Valid Until',
+ 'reset_terms' => 'Reset terms',
+ 'reset_footer' => 'Reset footer',
+ 'invoice_sent' => ':count invoice sent',
+ 'invoices_sent' => ':count invoices sent',
+ 'status_draft' => 'Draft',
+ 'status_sent' => 'Sent',
+ 'status_viewed' => 'Viewed',
+ 'status_partial' => 'Partial',
+ 'status_paid' => 'Paid',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Display line item taxes inline',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'Copy the following code to a page on your site.',
+ 'iframe_url_help2' => 'You can test the feature by clicking \'View as recipient\' for an invoice.',
+ 'auto_bill' => 'Auto Bill',
+ 'military_time' => '24 Hour Time',
+ 'last_sent' => 'Last Sent',
+ 'reminder_emails' => 'Reminder Emails',
+ 'templates_and_reminders' => 'Templates & Reminders',
+ 'subject' => 'Subject',
+ 'body' => 'Body',
+ 'first_reminder' => 'First Reminder',
+ 'second_reminder' => 'Second Reminder',
+ 'third_reminder' => 'Third Reminder',
+ 'num_days_reminder' => 'Days after due date',
+ 'reminder_subject' => 'Reminder: Invoice :invoice from :account',
+ 'reset' => 'Reset',
+ 'invoice_not_found' => 'The requested invoice is not available',
+ 'referral_program' => 'Referral Program',
+ 'referral_code' => 'Referral URL',
+ 'last_sent_on' => 'Sent Last: :date',
+ 'page_expire' => 'This page will expire soon, :click_here to keep working',
+ 'upcoming_quotes' => 'Upcoming Quotes',
+ 'expired_quotes' => 'Expired Quotes',
+ 'sign_up_using' => 'Sign up using',
+ 'invalid_credentials' => 'These credentials do not match our records',
+ 'show_all_options' => 'Show all options',
+ 'user_details' => 'User Details',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Disable',
+ 'invoice_quote_number' => 'Invoice and Quote Numbers',
+ 'invoice_charges' => 'Invoice Surcharges',
+ 'notification_invoice_bounced' => 'We were unable to deliver Invoice :invoice to :contact.',
+ 'notification_invoice_bounced_subject' => 'Unable to deliver Invoice :invoice',
+ 'notification_quote_bounced' => 'We were unable to deliver Quote :invoice to :contact.',
+ 'notification_quote_bounced_subject' => 'Unable to deliver Quote :invoice',
+ 'custom_invoice_link' => 'Custom Invoice Link',
+ 'total_invoiced' => 'Total Invoiced',
+ 'open_balance' => 'Open Balance',
+ 'verify_email' => 'Please visit the link in the account confirmation email to verify your email address.',
+ 'basic_settings' => 'Opțiuni',
+ 'pro' => 'Pro',
+ 'gateways' => 'Payment Gateways',
+ 'next_send_on' => 'Send Next: :date',
+ 'no_longer_running' => 'This invoice is not scheduled to run',
+ 'general_settings' => 'General Settings',
+ 'customize' => 'Customize',
+ 'oneclick_login_help' => 'Connect an account to login without a password',
+ 'referral_code_help' => 'Earn money by sharing our app online',
+ 'enable_with_stripe' => 'Enable | Requires Stripe',
+ 'tax_settings' => 'Tax Settings',
+ 'create_tax_rate' => 'Add Tax Rate',
+ 'updated_tax_rate' => 'Successfully updated tax rate',
+ 'created_tax_rate' => 'Successfully created tax rate',
+ 'edit_tax_rate' => 'Edit tax rate',
+ 'archive_tax_rate' => 'Archive Tax Rate',
+ 'archived_tax_rate' => 'Successfully archived the tax rate',
+ 'default_tax_rate_id' => 'Default Tax Rate',
+ 'tax_rate' => 'Tax Rate',
+ 'recurring_hour' => 'Recurring Hour',
+ 'pattern' => 'Pattern',
+ 'pattern_help_title' => 'Pattern Help',
+ 'pattern_help_1' => 'Create custom numbers by specifying a pattern',
+ 'pattern_help_2' => 'Available variables:',
+ 'pattern_help_3' => 'For example, :example would be converted to :value',
+ 'see_options' => 'See options',
+ 'invoice_counter' => 'Invoice Counter',
+ 'quote_counter' => 'Quote Counter',
+ 'type' => 'Type',
+ 'activity_1' => ':user created client :client',
+ 'activity_2' => ':user archived client :client',
+ 'activity_3' => ':user deleted client :client',
+ 'activity_4' => ':user created invoice :invoice',
+ 'activity_5' => ':user updated invoice :invoice',
+ 'activity_6' => ':user emailed invoice :invoice to :contact',
+ 'activity_7' => ':contact viewed invoice :invoice',
+ 'activity_8' => ':user archived invoice :invoice',
+ 'activity_9' => ':user deleted invoice :invoice',
+ 'activity_10' => ':contact entered payment :payment for :invoice',
+ 'activity_11' => ':user updated payment :payment',
+ 'activity_12' => ':user archived payment :payment',
+ 'activity_13' => ':user deleted payment :payment',
+ 'activity_14' => ':user entered :credit credit',
+ 'activity_15' => ':user updated :credit credit',
+ 'activity_16' => ':user archived :credit credit',
+ 'activity_17' => ':user deleted :credit credit',
+ 'activity_18' => ':user created quote :quote',
+ 'activity_19' => ':user updated quote :quote',
+ 'activity_20' => ':user emailed quote :quote to :contact',
+ 'activity_21' => ':contact viewed quote :quote',
+ 'activity_22' => ':user archived quote :quote',
+ 'activity_23' => ':user deleted quote :quote',
+ 'activity_24' => ':user restored quote :quote',
+ 'activity_25' => ':user restored invoice :invoice',
+ 'activity_26' => ':user restored client :client',
+ 'activity_27' => ':user restored payment :payment',
+ 'activity_28' => ':user restored :credit credit',
+ 'activity_29' => ':contact approved quote :quote',
+ 'activity_30' => ':user created vendor :vendor',
+ 'activity_31' => ':user archived vendor :vendor',
+ 'activity_32' => ':user deleted vendor :vendor',
+ 'activity_33' => ':user restored vendor :vendor',
+ 'activity_34' => ':user created expense :expense',
+ 'activity_35' => ':user archived expense :expense',
+ 'activity_36' => ':user deleted expense :expense',
+ 'activity_37' => ':user restored expense :expense',
+ 'activity_42' => ':user created task :task',
+ 'activity_43' => ':user updated task :task',
+ 'activity_44' => ':user archived task :task',
+ 'activity_45' => ':user deleted task :task',
+ 'activity_46' => ':user restored task :task',
+ 'activity_47' => ':user updated expense :expense',
+ 'payment' => 'Payment',
+ 'system' => 'System',
+ 'signature' => 'Email Signature',
+ 'default_messages' => 'Default Messages',
+ 'quote_terms' => 'Quote Terms',
+ 'default_quote_terms' => 'Default Quote Terms',
+ 'default_invoice_terms' => 'Default Invoice Terms',
+ 'default_invoice_footer' => 'Default Invoice Footer',
+ 'quote_footer' => 'Quote Footer',
+ 'free' => 'Free',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Apply Credit',
+ 'system_settings' => 'System Settings',
+ 'archive_token' => 'Archive Token',
+ 'archived_token' => 'Successfully archived token',
+ 'archive_user' => 'Archive User',
+ 'archived_user' => 'Successfully archived user',
+ 'archive_account_gateway' => 'Archive Gateway',
+ 'archived_account_gateway' => 'Successfully archived gateway',
+ 'archive_recurring_invoice' => 'Archive Recurring Invoice',
+ 'archived_recurring_invoice' => 'Successfully archived recurring invoice',
+ 'delete_recurring_invoice' => 'Delete Recurring Invoice',
+ 'deleted_recurring_invoice' => 'Successfully deleted recurring invoice',
+ 'restore_recurring_invoice' => 'Restore Recurring Invoice',
+ 'restored_recurring_invoice' => 'Successfully restored recurring invoice',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Archived',
+ 'untitled_account' => 'Untitled Company',
+ 'before' => 'Before',
+ 'after' => 'After',
+ 'reset_terms_help' => 'Reset to the default account terms',
+ 'reset_footer_help' => 'Reset to the default account footer',
+ 'export_data' => 'Export Data',
+ 'user' => 'User',
+ 'country' => 'Country',
+ 'include' => 'Include',
+ 'logo_too_large' => 'Your logo is :size, for better PDF performance we suggest uploading an image file less than 200KB',
+ 'import_freshbooks' => 'Import From FreshBooks',
+ 'import_data' => 'Import Data',
+ 'source' => 'Source',
+ 'csv' => 'CSV',
+ 'client_file' => 'Client File',
+ 'invoice_file' => 'Invoice File',
+ 'task_file' => 'Task File',
+ 'no_mapper' => 'No valid mapping for file',
+ 'invalid_csv_header' => 'Invalid CSV Header',
+ 'client_portal' => 'Client Portal',
+ 'admin' => 'Admin',
+ 'disabled' => 'Disabled',
+ 'show_archived_users' => 'Show archived users',
+ 'notes' => 'Notes',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => 'invoices will be created',
+ 'failed_to_import' => 'The following records failed to import, they either already exist or are missing required fields.',
+ 'publishable_key' => 'Publishable Key',
+ 'secret_key' => 'Secret Key',
+ 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process',
+ 'email_design' => 'Email Design',
+ 'due_by' => 'Due by :date',
+ 'enable_email_markup' => 'Enable Markup',
+ 'enable_email_markup_help' => 'Make it easier for your clients to pay you by adding schema.org markup to your emails.',
+ 'template_help_title' => 'Templates Help',
+ 'template_help_1' => 'Available variables:',
+ 'email_design_id' => 'Email Style',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'Plain',
+ 'light' => 'Light',
+ 'dark' => 'Dark',
+ 'industry_help' => 'Used to provide comparisons against the averages of companies of similar size and industry.',
+ 'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the invoice number.',
+ 'quote_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the quote number.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Add a label and value to the company details section of the PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Add a field when creating an invoice and include the charge in the invoice subtotals.',
+ 'token_expired' => 'Validation token was expired. Please try again.',
+ 'invoice_link' => 'Invoice Link',
+ 'button_confirmation_message' => 'Click to confirm your email address.',
+ 'confirm' => 'Confirm',
+ 'email_preferences' => 'Email Preferences',
+ 'created_invoices' => 'Successfully created :count invoice(s)',
+ 'next_invoice_number' => 'The next invoice number is :number.',
+ 'next_quote_number' => 'The next quote number is :number.',
+ 'days_before' => 'days before the',
+ 'days_after' => 'days after the',
+ 'field_due_date' => 'due date',
+ 'field_invoice_date' => 'invoice date',
+ 'schedule' => 'Schedule',
+ 'email_designs' => 'Email Designs',
+ 'assigned_when_sent' => 'Assigned when sent',
+ 'white_label_purchase_link' => 'Purchase a white label license',
+ 'expense' => 'Expense',
+ 'expenses' => 'Expenses',
+ 'new_expense' => 'Enter Expense',
+ 'enter_expense' => 'Enter Expense',
+ 'vendors' => 'Vendors',
+ 'new_vendor' => 'New Vendor',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Vendor',
+ 'edit_vendor' => 'Edit Vendor',
+ 'archive_vendor' => 'Archive Vendor',
+ 'delete_vendor' => 'Delete Vendor',
+ 'view_vendor' => 'View Vendor',
+ 'deleted_expense' => 'Successfully deleted expense',
+ 'archived_expense' => 'Successfully archived expense',
+ 'deleted_expenses' => 'Successfully deleted expenses',
+ 'archived_expenses' => 'Successfully archived expenses',
+ 'expense_amount' => 'Expense Amount',
+ 'expense_balance' => 'Expense Balance',
+ 'expense_date' => 'Expense Date',
+ 'expense_should_be_invoiced' => 'Should this expense be invoiced?',
+ 'public_notes' => 'Public Notes',
+ 'invoice_amount' => 'Invoice Amount',
+ 'exchange_rate' => 'Exchange Rate',
+ 'yes' => 'Yes',
+ 'no' => 'No',
+ 'should_be_invoiced' => 'Should be invoiced',
+ 'view_expense' => 'View expense # :expense',
+ 'edit_expense' => 'Edit Expense',
+ 'archive_expense' => 'Archive Expense',
+ 'delete_expense' => 'Delete Expense',
+ 'view_expense_num' => 'Expense # :expense',
+ 'updated_expense' => 'Successfully updated expense',
+ 'created_expense' => 'Successfully created expense',
+ 'enter_expense' => 'Enter Expense',
+ 'view' => 'View',
+ 'restore_expense' => 'Restore Expense',
+ 'invoice_expense' => 'Invoice Expense',
+ 'expense_error_multiple_clients' => 'The expenses can\'t belong to different clients',
+ 'expense_error_invoiced' => 'Expense has already been invoiced',
+ 'convert_currency' => 'Convert currency',
+ 'num_days' => 'Number of Days',
+ 'create_payment_term' => 'Create Payment Term',
+ 'edit_payment_terms' => 'Edit Payment Term',
+ 'edit_payment_term' => 'Edit Payment Term',
+ 'archive_payment_term' => 'Archive Payment Term',
+ 'recurring_due_dates' => 'Recurring Invoice Due Dates',
+ '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.
+
+
',
+ 'due' => 'Due',
+ 'next_due_on' => 'Due Next: :date',
+ 'use_client_terms' => 'Use client terms',
+ 'day_of_month' => ':ordinal day of month',
+ 'last_day_of_month' => 'Last day of month',
+ 'day_of_week_after' => ':ordinal :day after',
+ 'sunday' => 'Sunday',
+ 'monday' => 'Monday',
+ 'tuesday' => 'Tuesday',
+ 'wednesday' => 'Wednesday',
+ 'thursday' => 'Thursday',
+ 'friday' => 'Friday',
+ 'saturday' => 'Saturday',
+ 'header_font_id' => 'Header Font',
+ 'body_font_id' => 'Body Font',
+ 'color_font_help' => 'Note: the primary color and fonts are also used in the client portal and custom email designs.',
+ 'live_preview' => 'Live Preview',
+ 'invalid_mail_config' => 'Unable to send email, please check that the mail settings are correct.',
+ 'invoice_message_button' => 'To view your invoice for :amount, click the button below.',
+ 'quote_message_button' => 'To view your quote for :amount, click the button below.',
+ 'payment_message_button' => 'Thank you for your payment of :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Credit Cards & Banks',
+ 'add_bank_account' => 'Add Bank Account',
+ 'setup_account' => 'Setup Account',
+ 'import_expenses' => 'Import Expenses',
+ 'bank_id' => 'Bank',
+ 'integration_type' => 'Integration Type',
+ 'updated_bank_account' => 'Successfully updated bank account',
+ 'edit_bank_account' => 'Edit Bank Account',
+ 'archive_bank_account' => 'Archive Bank Account',
+ 'archived_bank_account' => 'Successfully archived bank account',
+ 'created_bank_account' => 'Successfully created bank account',
+ 'validate_bank_account' => 'Validate Bank Account',
+ 'bank_password_help' => 'Note: your password is transmitted securely and never stored on our servers.',
+ 'bank_password_warning' => 'Warning: your password may be transmitted in plain text, consider enabling HTTPS.',
+ 'username' => 'Username',
+ 'account_number' => 'Account Number',
+ 'account_name' => 'Account Name',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Approved',
+ 'quote_settings' => 'Quote Settings',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved by a client.',
+ 'validate' => 'Validate',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Successfully created :count_vendors vendor(s) and :count_expenses expense(s)',
+ 'iframe_url_help3' => 'Note: if you plan on accepting credit cards details we strongly recommend enabling HTTPS on your site.',
+ 'expense_error_multiple_currencies' => 'The expenses can\'t have different currencies.',
+ 'expense_error_mismatch_currencies' => 'The client\'s currency does not match the expense currency.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'First page',
+ 'all_pages' => 'All pages',
+ 'last_page' => 'Last page',
+ 'all_pages_header' => 'Show Header on',
+ 'all_pages_footer' => 'Show Footer on',
+ 'invoice_currency' => 'Invoice Currency',
+ 'enable_https' => 'We strongly recommend using HTTPS to accept credit card details online.',
+ 'quote_issued_to' => 'Quote issued to',
+ 'show_currency_code' => 'Currency Code',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Your account will receive a free two week trial of our pro plan.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Start Free Trial',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Overdue',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'To adjust your email notification settings please visit :link',
+ 'reset_password_footer' => 'If you did not request this password reset please email our support: :email',
+ 'limit_users' => 'Sorry, this will exceed the limit of :limit users',
+ 'more_designs_self_host_header' => 'Get 6 more invoice designs for just $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link to remove the Invoice Ninja logo by joining the Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Click here',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'Viewed',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Emails can not be sent to inactive invoices',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'List Invoices',
+ 'list_clients' => 'List Clients',
+ 'list_quotes' => 'List Quotes',
+ 'list_tasks' => 'List Tasks',
+ 'list_expenses' => 'List Expenses',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => 'List Payments',
+ 'list_credits' => 'List Credits',
+ 'tax_name' => 'Tax Name',
+ 'report_settings' => 'Report Settings',
+ 'search_hotkey' => 'shortcut is /',
+
+ 'new_user' => 'New User',
+ 'new_product' => 'New Product',
+ 'new_tax_rate' => 'New Tax Rate',
+ 'invoiced_amount' => 'Invoiced Amount',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Recurring Number',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Password Protect Invoices',
+ 'enable_portal_password_help' => 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Expired',
+ 'invalid_card_number' => 'The credit card number is not valid.',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Cost',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Owner',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Partial Due',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'Ianuarie',
+ 'february' => 'Februarie',
+ 'march' => 'Martie',
+ 'april' => 'Aprilie',
+ 'may' => 'Mai',
+ 'june' => 'Iunie',
+ 'july' => 'Iulie',
+ 'august' => 'August',
+ 'september' => 'Septembrie',
+ 'october' => 'Octombrie',
+ 'november' => 'Noiembrie',
+ 'december' => 'Decembrie',
+
+ // Documents
+ 'documents_header' => 'Documents:',
+ 'email_documents_header' => 'Documents:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Client Portal',
+ 'enable_client_portal_help' => 'Show/hide the client portal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Administrare cont',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Lunar',
+ 'plan_term_yearly' => 'Anual',
+ 'plan_term_month' => 'Lună',
+ 'plan_term_year' => 'An',
+ 'plan_price_monthly' => '$:price/Lună',
+ 'plan_price_yearly' => '$:price/An',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Live Preview',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refund Payment',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Refund',
+ 'are_you_sure_refund' => 'Refund selected payments?',
+ 'status_pending' => 'Pending',
+ 'status_completed' => 'Completed',
+ 'status_failed' => 'Failed',
+ 'status_partially_refunded' => 'Partially Refunded',
+ 'status_partially_refunded_amount' => ':amount Refunded',
+ 'status_refunded' => 'Refunded',
+ 'status_voided' => 'Cancelled',
+ 'refunded_payment' => 'Refunded Payment',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Unknown',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Client Id',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Other Providers',
+ 'country_not_supported' => 'That country is not supported.',
+ 'invalid_routing_number' => 'The routing number is not valid.',
+ 'invalid_account_number' => 'The account number is not valid.',
+ 'account_number_mismatch' => 'The account numbers do not match.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Company Account',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Add Account',
+ 'payment_methods' => 'Payment Methods',
+ 'complete_verification' => 'Complete Verification',
+ 'verification_amount1' => 'Amount 1',
+ 'verification_amount2' => 'Amount 2',
+ 'payment_method_verified' => 'Verification completed successfully',
+ 'verification_failed' => 'Verification Failed',
+ 'remove_payment_method' => 'Remove Payment Method',
+ 'confirm_remove_payment_method' => 'Are you sure you want to remove this payment method?',
+ 'remove' => 'Remove',
+ 'payment_method_removed' => 'Removed payment method.',
+ 'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Unknown Bank',
+ 'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
+ 'add_credit_card' => 'Add Credit Card',
+ 'payment_method_added' => 'Added payment method.',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'You must :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Add Payment Method',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Always',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Enabled',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Save payment details',
+ 'add_paypal_account' => 'Add PayPal Account',
+
+
+ 'no_payment_method_specified' => 'No payment method specified',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Format',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Company Name',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Manage Account',
+ 'action_required' => 'Action Required',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Security',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Product File',
+ 'import_products' => 'Import Products',
+ 'products_will_create' => 'products will be created',
+ 'product_key' => 'Produs',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'View Dashboard',
+ 'client_session_expired' => 'Session Expired',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bank account',
+ 'auto_bill_payment_method_credit_card' => 'credit card',
+ 'auto_bill_payment_method_paypal' => 'PayPal account',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Payment Settings',
+
+ 'on_send_date' => 'On send date',
+ 'on_due_date' => 'On due date',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Cont Bancar',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privacy Policy',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Verification Pending',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'More options',
+ 'credit_card' => 'Credit Card',
+ 'bank_transfer' => 'Bank Transfer',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Added :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'This gateway already exists',
+ 'manual_entry' => 'Manual',
+ 'start_of_week' => 'Prima Zi a Săptamânii',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Săptămânal',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Două Săptămâni',
+ 'freq_four_weeks' => 'Patru Săptămâni',
+ 'freq_monthly' => 'Lunar',
+ 'freq_three_months' => 'Trei Luni',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Șase Luni',
+ 'freq_annually' => 'Anual',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Bank Transfer',
+ 'payment_type_Cash' => 'Cash',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Credit Card Other',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' => 'Photography',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' =>'Photography',
+
+ 'view_client_portal' => 'View client portal',
+ 'view_portal' => 'View Portal',
+ 'vendor_contacts' => 'Vendor Contacts',
+ 'all' => 'All',
+ 'selected' => 'Selected',
+ 'category' => 'Category',
+ 'categories' => 'Categories',
+ 'new_expense_category' => 'New Expense Category',
+ 'edit_category' => 'Edit Category',
+ 'archive_expense_category' => 'Archive Category',
+ 'expense_categories' => 'Expense Categories',
+ 'list_expense_categories' => 'List Expense Categories',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Apply taxes',
+ 'min_to_max_users' => ':min to :max users',
+ 'max_users_reached' => 'The maximum number of users has been reached.',
+ 'buy_now_buttons' => 'Buy Now Buttons',
+ 'landing_page' => 'Landing Page',
+ 'payment_type' => 'Payment Type',
+ 'form' => 'Form',
+ 'link' => 'Link',
+ 'fields' => 'Fields',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Enable support for buy now buttons',
+ 'changes_take_effect_immediately' => 'Note: changes take effect immediately',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Something went wrong',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Please select a contact',
+ 'no_client_selected' => 'Please select a client',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Add 1 :product',
+ 'not_authorized' => 'You are not authorized',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Day',
+ 'week' => 'Week',
+ 'month' => 'Month',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Reports',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Date Range',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Annual revenue',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Vendor',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Invoice',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'Prima Notificare',
+ 'notes_reminder2' => 'A Doua Notificare',
+ 'notes_reminder3' => 'A Treia Notificare',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Importa Facturi',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/ro/validation.php b/resources/lang/ro/validation.php
new file mode 100644
index 000000000000..e8cf80b2b426
--- /dev/null
+++ b/resources/lang/ro/validation.php
@@ -0,0 +1,123 @@
+ 'Câmpul :attribute trebuie să fie acceptat.',
+ 'active_url' => 'Câmpul :attribute nu este un URL valid.',
+ 'after' => 'Câmpul :attribute trebuie să fie o dată după :date.',
+ 'after_or_equal' => 'Câmpul :attribute trebuie să fie o dată ulterioară sau egală cu :date.',
+ 'alpha' => 'Câmpul :attribute poate conține doar litere.',
+ 'alpha_dash' => 'Câmpul :attribute poate conține doar litere, numere și cratime.',
+ 'alpha_num' => 'Câmpul :attribute poate conține doar litere și numere.',
+ 'array' => 'Câmpul :attribute trebuie să fie un array.',
+ 'before' => 'Câmpul :attribute trebuie să fie o dată înainte de :date.',
+ 'before_or_equal' => 'Câmpul :attribute trebuie să fie o dată înainte sau egală cu :date.',
+ 'between' => [
+ 'numeric' => 'Câmpul :attribute trebuie să fie între :min și :max.',
+ 'file' => 'Câmpul :attribute trebuie să fie între :min și :max kiloocteți.',
+ 'string' => 'Câmpul :attribute trebuie să fie între :min și :max caractere.',
+ 'array' => 'Câmpul :attribute trebuie să aibă între :min și :max elemente.',
+ ],
+ 'boolean' => 'Câmpul :attribute trebuie să fie adevărat sau fals.',
+ 'confirmed' => 'Confirmarea :attribute nu se potrivește.',
+ 'date' => 'Câmpul :attribute nu este o dată validă.',
+ 'date_format' => 'Câmpul :attribute trebuie să fie în formatul :format.',
+ 'different' => 'Câmpurile :attribute și :other trebuie să fie diferite.',
+ 'digits' => 'Câmpul :attribute trebuie să aibă :digits cifre.',
+ 'digits_between' => 'Câmpul :attribute trebuie să aibă între :min și :max cifre.',
+ 'dimensions' => 'Câmpul :attribute are dimensiuni de imagine nevalide.',
+ 'distinct' => 'Câmpul :attribute are o valoare duplicat.',
+ 'email' => 'Câmpul :attribute trebuie să fie o adresă de e-mail validă.',
+ 'exists' => 'Câmpul :attribute selectat nu este valid.',
+ 'file' => 'Câmpul :attribute trebuie să fie un fișier.',
+ 'filled' => 'Câmpul :attribute trebuie completat.',
+ 'image' => 'Câmpul :attribute trebuie să fie o imagine.',
+ 'in' => 'Câmpul :attribute selectat nu este valid.',
+ 'in_array' => 'Câmpul :attribute nu există în :other.',
+ 'integer' => 'Câmpul :attribute trebuie să fie un număr întreg.',
+ 'ip' => 'Câmpul :attribute trebuie să fie o adresă IP validă.',
+ 'ipv4' => 'The :attribute must be a valid IPv4 address.',
+ 'ipv6' => 'The :attribute must be a valid IPv6 address.',
+ 'json' => 'Câmpul :attribute trebuie să fie un string JSON valid.',
+ 'max' => [
+ 'numeric' => 'Câmpul :attribute nu poate fi mai mare de :max.',
+ 'file' => 'Câmpul :attribute nu poate avea mai mult de :max kiloocteți.',
+ 'string' => 'Câmpul :attribute nu poate avea mai mult de :max caractere.',
+ 'array' => 'Câmpul :attribute nu poate avea mai mult de :max elemente.',
+ ],
+ 'mimes' => 'Câmpul :attribute trebuie să fie un fișier de tipul: :values.',
+ 'mimetypes' => 'Câmpul :attribute trebuie să fie un fișier de tipul: :values.',
+ 'min' => [
+ 'numeric' => 'Câmpul :attribute nu poate fi mai mic de :min.',
+ 'file' => 'Câmpul :attribute trebuie să aibă cel puțin :min kiloocteți.',
+ 'string' => 'Câmpul :attribute trebuie să aibă cel puțin :min caractere.',
+ 'array' => 'Câmpul :attribute trebuie să aibă cel puțin :min elemente.',
+ ],
+ 'not_in' => 'Câmpul :attribute selectat nu este valid.',
+ 'numeric' => 'Câmpul :attribute trebuie să fie un număr.',
+ 'present' => 'Câmpul :attribute trebuie să fie prezent.',
+ 'regex' => 'Câmpul :attribute nu are un format valid.',
+ 'required' => 'Câmpul :attribute este obligatoriu.',
+ 'required_if' => 'Câmpul :attribute este necesar când :other este :value.',
+ 'required_unless' => 'Câmpul :attribute este necesar, cu excepția cazului :other este in :values.',
+ 'required_with' => 'Câmpul :attribute este necesar când există :values.',
+ 'required_with_all' => 'Câmpul :attribute este necesar când există :values.',
+ 'required_without' => 'Câmpul :attribute este necesar când nu există :values.',
+ 'required_without_all' => 'Câmpul :attribute este necesar când niciunul(una) dintre :values nu există.',
+ 'same' => 'Câmpul :attribute și :other trebuie să fie identice.',
+ 'size' => [
+ 'numeric' => 'Câmpul :attribute trebuie să fie :size.',
+ 'file' => 'Câmpul :attribute trebuie să aibă :size kiloocteți.',
+ 'string' => 'Câmpul :attribute trebuie să aibă :size caractere.',
+ 'array' => 'Câmpul :attribute trebuie să aibă :size elemente.',
+ ],
+ 'string' => 'Câmpul :attribute trebuie să fie string.',
+ 'timezone' => 'Câmpul :attribute trebuie să fie un fus orar valid.',
+ 'unique' => 'Câmpul :attribute a fost deja folosit.',
+ 'uploaded' => 'Câmpul :attribute nu a reușit încărcarea.',
+ 'url' => 'Câmpul :attribute nu este un URL valid.',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ //
+ ],
+
+];
diff --git a/resources/lang/sl/auth.php b/resources/lang/sl/auth.php
new file mode 100644
index 000000000000..6ef1a73308a7
--- /dev/null
+++ b/resources/lang/sl/auth.php
@@ -0,0 +1,19 @@
+ 'These credentials do not match our records.',
+ 'throttle' => 'Too many login attempts. Please try again in :seconds seconds.',
+
+];
diff --git a/resources/lang/sl/c3.php b/resources/lang/sl/c3.php
new file mode 100644
index 000000000000..447a03b1ec4c
--- /dev/null
+++ b/resources/lang/sl/c3.php
@@ -0,0 +1,121 @@
+ ':attribute mora biti sprejet.',
+ 'active_url' => ':attribute ni pravilen.',
+ 'after' => ':attribute mora biti za datumom :date.',
+ 'after_or_equal' => 'The :attribute must be a date after or equal to :date.',
+ 'alpha' => ':attribute lahko vsebuje samo črke.',
+ 'alpha_dash' => ':attribute lahko vsebuje samo črke, številke in črtice.',
+ 'alpha_num' => ':attribute lahko vsebuje samo črke in številke.',
+ 'array' => ':attribute mora biti polje.',
+ 'before' => ':attribute mora biti pred datumom :date.',
+ 'before_or_equal' => 'The :attribute must be a date before or equal to :date.',
+ 'between' => [
+ 'numeric' => ':attribute mora biti med :min in :max.',
+ 'file' => ':attribute mora biti med :min in :max kilobajti.',
+ 'string' => ':attribute mora biti med :min in :max znaki.',
+ 'array' => ':attribute mora imeti med :min in :max elementov.',
+ ],
+ 'boolean' => ':attribute polje mora biti 1 ali 0',
+ 'confirmed' => ':attribute potrditev se ne ujema.',
+ 'date' => ':attribute ni veljaven datum.',
+ 'date_format' => ':attribute se ne ujema z obliko :format.',
+ 'different' => ':attribute in :other mora biti drugačen.',
+ 'digits' => ':attribute mora imeti :digits cifer.',
+ 'digits_between' => ':attribute mora biti med :min in :max ciframi.',
+ 'dimensions' => 'The :attribute has invalid image dimensions.',
+ 'distinct' => 'The :attribute field has a duplicate value.',
+ 'email' => ':attribute mora biti veljaven e-poštni naslov.',
+ 'exists' => 'izbran :attribute je neveljaven.',
+ 'file' => 'The :attribute must be a file.',
+ 'filled' => 'The :attribute field is required.',
+ 'image' => ':attribute mora biti slika.',
+ 'in' => 'izbran :attribute je neveljaven.',
+ 'in_array' => 'The :attribute field does not exist in :other.',
+ 'integer' => ':attribute mora biti število.',
+ 'ip' => ':attribute mora biti veljaven IP naslov.',
+ 'json' => 'The :attribute must be a valid JSON string.',
+ 'max' => [
+ 'numeric' => ':attribute ne sme biti večje od :max.',
+ 'file' => ':attribute ne sme biti večje :max kilobajtov.',
+ 'string' => ':attribute ne sme biti večje :max znakov.',
+ 'array' => ':attribute ne smejo imeti več kot :max elementov.',
+ ],
+ 'mimes' => ':attribute mora biti datoteka tipa: :values.',
+ 'mimetypes' => ':attribute mora biti datoteka tipa: :values.',
+ 'min' => [
+ 'numeric' => ':attribute mora biti vsaj dolžine :min.',
+ 'file' => ':attribute mora imeti vsaj :min kilobajtov.',
+ 'string' => ':attribute mora imeti vsaj :min znakov.',
+ 'array' => ':attribute mora imeti vsaj :min elementov.',
+ ],
+ 'not_in' => 'izbran :attribute je neveljaven.',
+ 'numeric' => ':attribute mora biti število.',
+ 'present' => 'The :attribute field must be present.',
+ 'regex' => 'Format polja :attribute je neveljaven.',
+ 'required' => 'Polje :attribute je zahtevano.',
+ 'required_if' => 'Polje :attribute je zahtevano, ko :other je :value.',
+ 'required_unless' => 'The :attribute field is required unless :other is in :values.',
+ 'required_with' => 'Polje :attribute je zahtevano, ko je :values prisoten.',
+ 'required_with_all' => 'Polje :attribute je zahtevano, ko je :values prisoten.',
+ 'required_without' => 'Polje :attribute je zahtevano, ko :values ni prisoten.',
+ 'required_without_all' => 'Polje :attribute je zahtevano, ko nobenih od :values niso prisotni.',
+ 'same' => 'Polje :attribute in :other se morata ujemati.',
+ 'size' => [
+ 'numeric' => ':attribute mora biti :size.',
+ 'file' => ':attribute mora biti :size kilobajtov.',
+ 'string' => ':attribute mora biti :size znakov.',
+ 'array' => ':attribute mora vsebovati :size elementov.',
+ ],
+ 'string' => 'The :attribute must be a string.',
+ 'timezone' => 'The :attribute must be a valid zone.',
+ 'unique' => ':attribute je že zaseden.',
+ 'uploaded' => 'The :attribute failed to upload.',
+ 'url' => ':attribute format je neveljaven.',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ //
+ ],
+
+];
diff --git a/resources/lang/sl/pagination.php b/resources/lang/sl/pagination.php
new file mode 100644
index 000000000000..f611517e05d8
--- /dev/null
+++ b/resources/lang/sl/pagination.php
@@ -0,0 +1,19 @@
+ '« Prejšnja',
+ 'next' => 'Naslednja »',
+
+];
diff --git a/resources/lang/sl/passwords.php b/resources/lang/sl/passwords.php
new file mode 100644
index 000000000000..f587d72bd75e
--- /dev/null
+++ b/resources/lang/sl/passwords.php
@@ -0,0 +1,22 @@
+ 'Geslo mora biti dolgo vsaj šest znakov in se mora ujemati z potrditvenim geslom.',
+ 'reset' => 'Geslo je bilo spremenjeno!',
+ 'sent' => 'Opomnik za geslo poslano!',
+ 'token' => 'Ponastavitveni žeton je neveljaven.',
+ 'user' => 'Ne moremo najti uporabnika s tem e-poštnim naslovom.',
+
+];
diff --git a/resources/lang/sl/texts.php b/resources/lang/sl/texts.php
new file mode 100644
index 000000000000..11325f8e7713
--- /dev/null
+++ b/resources/lang/sl/texts.php
@@ -0,0 +1,2869 @@
+ 'Organizacija',
+ 'name' => 'Ime',
+ 'website' => 'Spletišče',
+ 'work_phone' => 'Službeni telefon',
+ 'address' => 'Naslov',
+ 'address1' => 'Ulica',
+ 'address2' => 'Hišna št./Stanovanje',
+ 'city' => 'Mesto',
+ 'state' => 'Regija/pokrajina',
+ 'postal_code' => 'Poštna št.',
+ 'country_id' => 'Država',
+ 'contacts' => 'Kontakti',
+ 'first_name' => 'Ime',
+ 'last_name' => 'Priimek',
+ 'phone' => 'Telefon',
+ 'email' => 'E-pošta',
+ 'additional_info' => 'Dodatni podatki',
+ 'payment_terms' => 'Plačilni pogoji',
+ 'currency_id' => 'Valuta',
+ 'size_id' => 'Velikost podjetja',
+ 'industry_id' => 'Industrija',
+ 'private_notes' => 'Zasebni zaznamki',
+ 'invoice' => 'Račun',
+ 'client' => 'Stranka',
+ 'invoice_date' => 'Datum računa',
+ 'due_date' => 'Rok plačila',
+ 'invoice_number' => 'Št. računa',
+ 'invoice_number_short' => 'Račun #',
+ 'po_number' => 'Št. naročilnice',
+ 'po_number_short' => 'Naročilo #',
+ 'frequency_id' => 'Kako pogosto',
+ 'discount' => 'Popust',
+ 'taxes' => 'Davki',
+ 'tax' => 'DDV',
+ 'item' => 'Postavka',
+ 'description' => 'Opis',
+ 'unit_cost' => 'Cena',
+ 'quantity' => 'Količina',
+ 'line_total' => 'Skupaj',
+ 'subtotal' => 'Neto',
+ 'paid_to_date' => 'Že plačano',
+ 'balance_due' => 'Za plačilo',
+ 'invoice_design_id' => 'Izgled',
+ 'terms' => 'Pogoji',
+ 'your_invoice' => 'Vaš račun',
+ 'remove_contact' => 'Odstrani kontakt',
+ 'add_contact' => 'Dodaj kontakt',
+ 'create_new_client' => 'Ustvari novo stranko',
+ 'edit_client_details' => 'Uredi podatke o stranki',
+ 'enable' => 'Omogoči',
+ 'learn_more' => 'Izvedi več',
+ 'manage_rates' => 'Urejaj cene',
+ 'note_to_client' => 'Zapisek za stranko',
+ 'invoice_terms' => 'Pogoji računa',
+ 'save_as_default_terms' => 'Shrani kot privzete pogoje',
+ 'download_pdf' => 'Prenesi PDF',
+ 'pay_now' => 'Plačaj zdaj',
+ 'save_invoice' => 'Shrani račun',
+ 'clone_invoice' => 'Kopiraj v račun',
+ 'archive_invoice' => 'Arhiviraj račun',
+ 'delete_invoice' => 'Zbriši račun',
+ 'email_invoice' => 'Pošlji račun na e-pošto ',
+ 'enter_payment' => 'Vnesi plačilo',
+ 'tax_rates' => 'Davčne stopnje',
+ 'rate' => 'Cena',
+ 'settings' => 'Nastavitve',
+ 'enable_invoice_tax' => 'Omogoči specificiranje davka na računu',
+ 'enable_line_item_tax' => 'Omogoči specificiranje davka na postavki',
+ 'dashboard' => 'Nadzorna plošča',
+ 'clients' => 'Stranke',
+ 'invoices' => 'Računi',
+ 'payments' => 'Plačila',
+ 'credits' => 'Dobropisi',
+ 'history' => 'Zgodovina',
+ 'search' => 'Išči',
+ 'sign_up' => 'Prijavi se',
+ 'guest' => 'Gost',
+ 'company_details' => 'Podatki podjetja',
+ 'online_payments' => 'Spletna plačila',
+ 'notifications' => 'Obvestila',
+ 'import_export' => 'Uvoz | Izvoz',
+ 'done' => 'Končano',
+ 'save' => 'Shrani',
+ 'create' => 'Ustvari',
+ 'upload' => 'Naloži',
+ 'import' => 'Uvozi',
+ 'download' => 'Prenesi',
+ 'cancel' => 'Prekliči',
+ 'close' => 'Zapri',
+ 'provide_email' => 'Prosim vnesi pravilen email naslov',
+ 'powered_by' => 'Poganja',
+ 'no_items' => 'Ni artiklov',
+ 'recurring_invoices' => 'Ponavljajoči računi',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'celotni prihodki',
+ 'billed_client' => 'Zaračunana stranka',
+ 'billed_clients' => 'Zaračunane stranke',
+ 'active_client' => 'Aktivna stranka',
+ 'active_clients' => 'aktivne stranke',
+ 'invoices_past_due' => 'Zapadli računi',
+ 'upcoming_invoices' => 'Prihajajoči računi',
+ 'average_invoice' => 'Povprečen račun',
+ 'archive' => 'Arhiv',
+ 'delete' => 'Odstrani',
+ 'archive_client' => 'Arhiviraj stranko',
+ 'delete_client' => 'Odstrani stranko',
+ 'archive_payment' => 'Arhiviraj plačilo',
+ 'delete_payment' => 'Odstrani plačilo',
+ 'archive_credit' => 'Arhiviraj dobropis',
+ 'delete_credit' => 'Odstrani dobropis',
+ 'show_archived_deleted' => 'Prikaži akhivirano/odstranjeno',
+ 'filter' => 'Filter',
+ 'new_client' => 'Nova stranka',
+ 'new_invoice' => 'Nov račun',
+ 'new_payment' => 'Vnesi plačilo',
+ 'new_credit' => 'Vnesi dobropis',
+ 'contact' => 'Kontakt',
+ 'date_created' => 'Datum vnosa',
+ 'last_login' => 'Zadnja prijava',
+ 'balance' => 'Saldo',
+ 'action' => 'Ukaz',
+ 'status' => 'Stanje',
+ 'invoice_total' => 'Znesek',
+ 'frequency' => 'Pogostost',
+ 'start_date' => 'Datum začetka',
+ 'end_date' => 'Datum zapadlost',
+ 'transaction_reference' => 'Referenca transakcije',
+ 'method' => 'Sredstvo',
+ 'payment_amount' => 'Znesek plačila',
+ 'payment_date' => 'Datum plačila',
+ 'credit_amount' => 'Znesek dobropisa',
+ 'credit_balance' => 'Saldo dobropisa',
+ 'credit_date' => 'Datum dobropisa',
+ 'empty_table' => 'V tabeli ni podatkov',
+ 'select' => 'Izberi',
+ 'edit_client' => 'Uredi stranko',
+ 'edit_invoice' => 'Uredi račun',
+ 'create_invoice' => 'Ustvari račun',
+ 'enter_credit' => 'Vnesi dobropis',
+ 'last_logged_in' => 'Zadnja prijava',
+ 'details' => 'Podrobnosti',
+ 'standing' => 'Stanje',
+ 'credit' => 'Dobropis',
+ 'activity' => 'Dejavnost',
+ 'date' => 'Datum',
+ 'message' => 'Sporočilo',
+ 'adjustment' => 'Prilagoditev',
+ 'are_you_sure' => 'Ali ste prepričani?',
+ 'payment_type_id' => 'Način plačila',
+ 'amount' => 'Znesek',
+ 'work_email' => 'E-pošta',
+ 'language_id' => 'Jezik',
+ 'timezone_id' => 'Časovni pas',
+ 'date_format_id' => 'Oblika datuma',
+ 'datetime_format_id' => 'Oblika datuma in ure',
+ 'users' => 'Uporabniki',
+ 'localization' => 'Lokalizacija',
+ 'remove_logo' => 'Odstrani logotip',
+ 'logo_help' => 'Podprto: JPEG, GIF in PNG',
+ 'payment_gateway' => 'Plačilni prehodi',
+ 'gateway_id' => 'Prehod',
+ 'email_notifications' => 'E-poštna obvestila',
+ 'email_sent' => 'Pošlji e-pošto ob poslanem računu',
+ 'email_viewed' => 'Pošlji e-pošto ob ogledanem računu',
+ 'email_paid' => 'Pošlji e-pošto ob plačanem računu',
+ 'site_updates' => 'Posodobitve strani',
+ 'custom_messages' => 'Obvestila po meri',
+ 'default_email_footer' => 'Privzeti podpis e-pošte',
+ 'select_file' => 'Prosim izberi datoteko',
+ 'first_row_headers' => 'Uporabi prvo vrstico za glavo',
+ 'column' => 'Stolpec',
+ 'sample' => 'Vzorec',
+ 'import_to' => 'Uvozi v',
+ 'client_will_create' => 'stranka bo ustvarjena',
+ 'clients_will_create' => 'stranke bodo ustvarjene',
+ 'email_settings' => 'Nastavitve e-pošte',
+ 'client_view_styling' => 'Izgled pogleda za stranke',
+ 'pdf_email_attachment' => 'Pripni PDF',
+ 'custom_css' => 'CSS po meri',
+ 'import_clients' => 'Uvoz strankinih podatkov',
+ 'csv_file' => 'CSV datoteka',
+ 'export_clients' => 'Izvoz strankinih podatkov',
+ 'created_client' => 'Stranka uspešno ustvarjena',
+ 'created_clients' => 'Število uspešno ustvarjenih strank: :count',
+ 'updated_settings' => 'Nastavitve uspešno posodobljene',
+ 'removed_logo' => 'Uspešno odstranjen logotip',
+ 'sent_message' => 'Sporočilo uspešno poslano',
+ 'invoice_error' => 'Prosim izberite stranko in popravite napake',
+ 'limit_clients' => 'To bo preseglo maksimalno število klientov: :count',
+ 'payment_error' => 'Pri izvedbi plačila je prišlo do napake. Prosim poizkusite ponovno.',
+ 'registration_required' => 'Za pošiljanje računa prek e-pošte se prijavite',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Uspešno posodobljena stranka',
+ 'created_client' => 'Stranka uspešno ustvarjena',
+ 'archived_client' => 'Stranka uspešno arhivirana',
+ 'archived_clients' => 'Število uspešno arhiviranih strank: :count clients',
+ 'deleted_client' => 'Stranka uspešno odstranjena',
+ 'deleted_clients' => 'Število uspešno odstranjenih strank: :count',
+ 'updated_invoice' => 'Račun uspešno posodobljen',
+ 'created_invoice' => 'Račun uspešno ustvarjen',
+ 'cloned_invoice' => 'Račun uspešno kloniran',
+ 'emailed_invoice' => 'Račun uspešno poslan',
+ 'and_created_client' => 'in ustvarjena stranka',
+ 'archived_invoice' => 'Račun uspešno arhiviran',
+ 'archived_invoices' => 'Število uspešno arhiviranih računov: :count invoices',
+ 'deleted_invoice' => 'Račun uspešno odstranjen',
+ 'deleted_invoices' => 'Število uspešno odstranjenih ponudb: :count invoices',
+ 'created_payment' => 'Plačilo uspešno ustvarjeno',
+ 'created_payments' => 'Število uspešno ustvarjenih plačil: :count',
+ 'archived_payment' => 'Plačilo uspešno arhivirano',
+ 'archived_payments' => 'Število uspešno arhiviranih plačil: :count',
+ 'deleted_payment' => 'Plačilo uspešno odstranjeno',
+ 'deleted_payments' => 'Število uspešno odstranjenih plačil: :count',
+ 'applied_payment' => 'Plačilo uspešno potrjeno',
+ 'created_credit' => 'Dobropis uspešno ustvarjen',
+ 'archived_credit' => 'Dobropis uspešno arhiviran',
+ 'archived_credits' => 'Število uspešno arhiviranih dobropisov: :count',
+ 'deleted_credit' => 'Dobropis uspešno odstranjen',
+ 'deleted_credits' => 'Število uspešno odstranjenih dobropisov: :count',
+ 'imported_file' => 'Uvoz datoteke uspešen',
+ 'updated_vendor' => 'Prodajalec uspešno posodobljen',
+ 'created_vendor' => 'Prodajalec uspešno ustvarjen',
+ 'archived_vendor' => 'Prodajalec uspešno arhiviran',
+ 'archived_vendors' => 'Število uspešno arhiviranih prodajalcev: :count clients',
+ 'deleted_vendor' => 'Prodajalec uspešno odstranjen',
+ 'deleted_vendors' => 'Število uspešno odstranjenih prodajalcev: :count',
+ 'confirmation_subject' => 'Potrditev Invoice Ninja računa',
+ 'confirmation_header' => 'Potrditev računa',
+ 'confirmation_message' => 'Prosim da za potrditev računa obiščete povezavo ',
+ 'invoice_subject' => 'Nov račun :number od :account',
+ 'invoice_message' => 'Za ogled vašega računa v znesku :amount, kliknite povezavo spodaj.',
+ 'payment_subject' => 'Plačilo prejeto',
+ 'payment_message' => 'Hvala za vaše plačilo v znesku: :amount.',
+ 'email_salutation' => 'Spoštovani :name;',
+ 'email_signature' => 'Lep pozdrav,',
+ 'email_from' => 'Ekipa Invoice Ninja',
+ 'invoice_link_message' => 'Za ogled računa kliknite na povezavo spodaj:',
+ 'notification_invoice_paid_subject' => 'Stranka :client je plačala račun :invoice',
+ 'notification_invoice_sent_subject' => 'Račun :invoice je bil poslan stranki :client',
+ 'notification_invoice_viewed_subject' => 'Stranka :client si je ogledala račun :invoice',
+ 'notification_invoice_paid' => 'Stranka :client je plačala račun :invoice v znesku :amount.',
+ 'notification_invoice_sent' => 'Stranki :client je bil poslan račun :invoice v znesku :amount',
+ 'notification_invoice_viewed' => 'Stranka :client si je ogledala Račun :invoice v znesku: :amount.',
+ 'reset_password' => 'Vaše geslo lahko ponastavite s pritiskom na gumb:',
+ 'secure_payment' => 'Varno plačilo',
+ 'card_number' => 'Št. kartice',
+ 'expiration_month' => 'Mesec poteka',
+ 'expiration_year' => 'Leto poteka',
+ 'cvv' => 'CVV',
+ 'logout' => 'Odjava',
+ 'sign_up_to_save' => 'Prijavite se, da shranite svoje delo',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Pogoji uporabe',
+ 'email_taken' => 'Ta e-poštni naslov je že v uporabi',
+ 'working' => 'V delu',
+ 'success' => 'Uspešno izvedeno',
+ 'success_message' => 'Vaša registracija je bila uspešna! Za potrditev kliknite na povezavo v sporočilu, ki ga boste prejeli na vaš e-poštni naslov.',
+ 'erase_data' => 'Vač račun ni registriran. Vaši podatki bodo izbrisani.',
+ 'password' => 'Geslo',
+ 'pro_plan_product' => 'Pro paket',
+ 'pro_plan_success' => 'Zahvaljujemo se vam za izbiro Invoice Ninja Pro paketa!
+Naslednji KorakiRačun je bilo poslan na e-poštni naslov, povezan z vašim računom. Če želite odkleniti vse mega Pro funkcije, sledite navodilom na računu.
+Ne morete najti računa? Potrebujete dodatno pomoč? Z veseljem bomo pomagali. Pošljite nam e-pošto na contact@invoiceninja.com',
+ 'unsaved_changes' => 'Imate neshranjene spremembe',
+ 'custom_fields' => 'Polja po meri',
+ 'company_fields' => 'Polja podjetja',
+ 'client_fields' => 'Polja stranke',
+ 'field_label' => 'Naslov polja',
+ 'field_value' => 'Vrednost polja',
+ 'edit' => 'Uredi',
+ 'set_name' => 'Nastavi ime podjetja',
+ 'view_as_recipient' => 'Prikaži kot prejemnik',
+ 'product_library' => 'Knjižnica produktov',
+ 'product' => 'Produkt',
+ 'products' => 'Produkti',
+ 'fill_products' => 'Samodejno vnesi produkte',
+ 'fill_products_help' => 'Izbira produkta bo samodejno vnesla opis in ceno',
+ 'update_products' => 'Samodejno posodobi produkte',
+ 'update_products_help' => 'Posodobitev računa bo samodejno posodobila knjižnico produktov',
+ 'create_product' => 'Dodaj produkt',
+ 'edit_product' => 'Uredi produkt',
+ 'archive_product' => 'Arhiviraj produkt',
+ 'updated_product' => 'Produkt uspešno posodobljen',
+ 'created_product' => 'Produkt uspešno ustvarjen',
+ 'archived_product' => 'Produkt uspešno arhiviran',
+ 'pro_plan_custom_fields' => ':link za uporabo Polj po meri z prijavo v Pro Plan',
+ 'advanced_settings' => 'Napredne nastavitve',
+ 'pro_plan_advanced_settings' => ':link za uporabo naprednih nastavitev z prijavo v Pro Plan',
+ 'invoice_design' => 'Izgled računa',
+ 'specify_colors' => 'Določi darve',
+ 'specify_colors_label' => 'Določi barve v računu',
+ 'chart_builder' => 'Ustvarjalec grafikonov',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Prestopi na Pro plan',
+ 'quote' => 'Ponudba',
+ 'quotes' => 'Ponudbe',
+ 'quote_number' => 'Št. ponudbe',
+ 'quote_number_short' => 'Ponudba #',
+ 'quote_date' => 'Datum ponudbe',
+ 'quote_total' => 'Znesek ponudbe',
+ 'your_quote' => 'Vaša ponudba',
+ 'total' => 'Skupaj',
+ 'clone' => 'Kloniraj',
+ 'new_quote' => 'Nova ponudba',
+ 'create_quote' => 'Ustvari ponudbo',
+ 'edit_quote' => 'Uredi ponudbo',
+ 'archive_quote' => 'Arhiviraj ponudbo',
+ 'delete_quote' => 'Odstrani ponubdo',
+ 'save_quote' => 'Shrani predračun',
+ 'email_quote' => 'Pošlji ponudbo',
+ 'clone_quote' => 'Kopiraj v ponudbo',
+ 'convert_to_invoice' => 'Pretvori v račun',
+ 'view_invoice' => 'Ogled računa',
+ 'view_client' => 'Ogled stranke',
+ 'view_quote' => 'Ogled ponudbe',
+ 'updated_quote' => 'Ponudba uspešno posodobljena',
+ 'created_quote' => 'Ponudba uspešno ustvarjena',
+ 'cloned_quote' => 'Ponudba uspešno klonirana',
+ 'emailed_quote' => 'Ponudba uspešno poslana',
+ 'archived_quote' => 'Ponudba uspešno arhivirana',
+ 'archived_quotes' => 'Število uspešno arhiviranih ponudb:',
+ 'deleted_quote' => 'Ponudba uspešno odstranjena',
+ 'deleted_quotes' => 'Število uspešno odstranjenih ponudb: :count',
+ 'converted_to_invoice' => 'Ponudba uspešno pretvorjena v račun',
+ 'quote_subject' => 'Nova ponudba :number od :account',
+ 'quote_message' => 'Za ogled ponudbe v vrednosti :amount, kliknite na link spodaj.',
+ 'quote_link_message' => 'Za ogled ponudbe stranke, kliknite na link spodaj:',
+ 'notification_quote_sent_subject' => 'Ponudba :invoice je bil poslan k/na :client',
+ 'notification_quote_viewed_subject' => 'Ponudbi :invoice si je ogledal/a :client',
+ 'notification_quote_sent' => 'Stranki :client je bil poslana ponudba :invoice v znesku: :amount.',
+ 'notification_quote_viewed' => 'Stranka :client si je ogledala predračun :invoice v znesku: :amount.',
+ 'session_expired' => 'Vaša seja je potekla.',
+ 'invoice_fields' => 'Polja računa',
+ 'invoice_options' => 'Možnosti računa',
+ 'hide_paid_to_date' => 'Skrij datum plačila',
+ 'hide_paid_to_date_help' => 'Prikaži le "Plačano" polje v računu, nakar je bilo plačilo prejeto.',
+ 'charge_taxes' => 'Zaračunaj davke',
+ 'user_management' => 'Uporabniki',
+ 'add_user' => 'Dodaj uporabnika',
+ 'send_invite' => 'Pošlji povabilo',
+ 'sent_invite' => 'Povabilo uspešno poslano',
+ 'updated_user' => 'Uporabnik uspešno posodobljen',
+ 'invitation_message' => 'Prejeli ste vabilo od :invitor. ',
+ 'register_to_add_user' => 'Za dodajanje uporabnikov se prijavite.',
+ 'user_state' => 'Stanje',
+ 'edit_user' => 'Uredi uporabnika',
+ 'delete_user' => 'Odstrani uporabnika',
+ 'active' => 'Aktivno',
+ 'pending' => 'V teku',
+ 'deleted_user' => 'Uporabnik uspešno odstranjen',
+ 'confirm_email_invoice' => 'Ali ste prepričani da želite poslati ta račun na e-pošto?',
+ 'confirm_email_quote' => 'Ali ste prepričani da želite poslati predračun na e-pošto?',
+ 'confirm_recurring_email_invoice' => 'Ali ste prepričani da želite polati ta račun na e-pošto?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Odstani račun',
+ 'cancel_account_message' => 'Opozorilo: Vaš račun bo trajno zbrisan. Razveljavitev ni mogoča.',
+ 'go_back' => 'Nazaj',
+ 'data_visualizations' => 'Vizualizacija podatkov',
+ 'sample_data' => 'Prikazani so vzorčni podatki',
+ 'hide' => 'Skrij',
+ 'new_version_available' => 'Nova različica :releases_link je na voljo. Trenutna različica: :user_version, Zadnja rezličica: :latest_version',
+ 'invoice_settings' => 'Nastavitve računa',
+ 'invoice_number_prefix' => 'Predpona računa',
+ 'invoice_number_counter' => 'Števec za račun',
+ 'quote_number_prefix' => 'Predpona številke predračuna',
+ 'quote_number_counter' => 'Števec številke predračuna',
+ 'share_invoice_counter' => 'Deli števec za račun',
+ 'invoice_issued_to' => 'Račun izdan za',
+ 'invalid_counter' => 'Da bi preprečili morebiten konflikt nastavite predpono računom ali predračunom',
+ 'mark_sent' => 'Označi kot poslano',
+ 'gateway_help_1' => ':link za prijavo na Authorize.net.',
+ 'gateway_help_2' => ':link za prijavo na Authorize.net.',
+ 'gateway_help_17' => ':link da pridobite PayPal API podpis.',
+ 'gateway_help_27' => ':link za prijavo na 2Checkout.com. Za zagotovitev da bodo plačiia izsledena nastavite :complete_link za preusmeritveni naslov (URL) pod Account > Site Management v 2Checkout portalu.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'Več osnutkov',
+ 'more_designs_title' => 'Dodatni stili',
+ 'more_designs_cloud_header' => 'Za več osnutkov nadgradi na Pro Plan',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Nakup',
+ 'bought_designs' => 'Dodaten usnutek računa uspešno dodan',
+ 'sent' => 'Poslano',
+ 'vat_number' => 'Davčna št.',
+ 'timesheets' => 'Časovni listi',
+ 'payment_title' => 'Vnesite vaše podatke za izstavitev računa in kreditne kartice',
+ 'payment_cvv' => 'To je 3-4 mestna št. na hrbtni strani kartice',
+ 'payment_footer1' => '*Naslov za izstavitev računa se mora ujemati z naslovom, povezanim s kreditno kartico.',
+ 'payment_footer2' => '*Prosim kliknite "Plačaj zdaj" samo enkrat - Transakcija lahko traja tudi do 1 minute.',
+ 'id_number' => 'ID št.',
+ 'white_label_link' => 'White Label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'White Label licenca omogočena',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Obnovitev',
+ 'restore_invoice' => 'Obnovi račun',
+ 'restore_quote' => 'Obnovi predračun',
+ 'restore_client' => 'Obnovi stranko',
+ 'restore_credit' => 'Obnovi dobropis',
+ 'restore_payment' => 'Obnovi plačilo',
+ 'restored_invoice' => 'Račun uspešno obnovljen',
+ 'restored_quote' => 'Predračun uspešno obnovljen',
+ 'restored_client' => 'Stranka uspešno obnovljena',
+ 'restored_payment' => 'Plačilo uspešno obnovljeno',
+ 'restored_credit' => 'Dobropis uspešno obnovljen',
+ 'reason_for_canceling' => 'Povejte nam razlog za vaš odhod in s tem pomagajte nam izboljšati našo spletno stran. ',
+ 'discount_percent' => 'Odstotek',
+ 'discount_amount' => 'Znesek',
+ 'invoice_history' => 'Zgodovina računa',
+ 'quote_history' => 'Zgodovina predračuna',
+ 'current_version' => 'Trenutna različica',
+ 'select_version' => 'Izberi različico',
+ 'view_history' => 'Ogled zgodovine',
+ 'edit_payment' => 'Uredi plačilo',
+ 'updated_payment' => 'Plačilo uspešno posodobljeno',
+ 'deleted' => 'Odstranjeno',
+ 'restore_user' => 'Obnovi uporabnika',
+ 'restored_user' => 'Uporabnik uspešno obnovljen',
+ 'show_deleted_users' => 'Prikaži odstranjene uporabnike',
+ 'email_templates' => 'Predloge za e-pošto',
+ 'invoice_email' => 'Račun',
+ 'payment_email' => 'Potrdilo',
+ 'quote_email' => 'Predračun',
+ 'reset_all' => 'Ponastavi vse',
+ 'approve' => 'Potrdi',
+ 'token_billing_type_id' => 'Plačilo prek avtorizacije (Token Billing)',
+ 'token_billing_help' => 'Shrani podrobnosti plačila z WePay, Stripe, Braintree ali GoCardless.',
+ 'token_billing_1' => 'Onemogočeno',
+ 'token_billing_2' => 'Opt-in - polje je prikazano, vendar ne izbrano',
+ 'token_billing_3' => 'Opt-out - polje je prikazano in izbrano',
+ 'token_billing_4' => 'Vedno',
+ 'token_billing_checkbox' => 'Shrani podrobnosti kreditne kartice',
+ 'view_in_gateway' => 'Pogled v :gateway',
+ 'use_card_on_file' => 'Uporaba kartice na datoteko',
+ 'edit_payment_details' => 'Uredi podatke o plačilu',
+ 'token_billing' => 'Shrani podatke kartice',
+ 'token_billing_secure' => 'Podatki so varno shranjeni z: :link',
+ 'support' => 'Podpora',
+ 'contact_information' => 'Kontaktni podatki',
+ '256_encryption' => '256-Bitno šifriranje',
+ 'amount_due' => 'Znesek do',
+ 'billing_address' => 'Naslov za pošiljanje računa',
+ 'billing_method' => 'Računsko sredstvo',
+ 'order_overview' => 'Pregled naročila',
+ 'match_address' => '*Naslov se mora ujemati z naslovom, povezanim s kreditno kartico.',
+ 'click_once' => '*Prosim klikni "Plačaj zdaj" samo enkrat - Transakcija lahko traja tudi do 1 minute.',
+ 'invoice_footer' => 'Noga računa',
+ 'save_as_default_footer' => 'Shrani kot privzeta noga',
+ 'token_management' => 'Upravitelj žetonov',
+ 'tokens' => 'Žetoni',
+ 'add_token' => 'Dodaj žeton',
+ 'show_deleted_tokens' => 'Prikaži odstranjene žetone',
+ 'deleted_token' => 'Žeton uspešno odstranjen',
+ 'created_token' => 'Žeton uspešno ustvarjen',
+ 'updated_token' => 'Žeton uspešno posodobljen',
+ 'edit_token' => 'Uredi žeton',
+ 'delete_token' => 'Odstrani žeton',
+ 'token' => 'Žeton',
+ 'add_gateway' => 'Dodaj prehod',
+ 'delete_gateway' => 'Odstrani prehod',
+ 'edit_gateway' => 'Uredi prehod',
+ 'updated_gateway' => 'Prehod uspešno obnovljen',
+ 'created_gateway' => 'Prehod uspešno ustvarjen',
+ 'deleted_gateway' => 'Prehod uspešno odstranjen',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Kreditna kartica',
+ 'change_password' => 'Spremeni geslo',
+ 'current_password' => 'Trenutno geslo',
+ 'new_password' => 'Novo geslo',
+ 'confirm_password' => 'Potrdi geslo',
+ 'password_error_incorrect' => 'Trenutno geslo je napačno',
+ 'password_error_invalid' => 'Novo geslo je napačno',
+ 'updated_password' => 'Geslo uspešno posodobljeno',
+ 'api_tokens' => 'API žetoni',
+ 'users_and_tokens' => 'Uporabniki in Žetoni',
+ 'account_login' => 'Prijava v račun',
+ 'recover_password' => 'Obnovite vaše geslo',
+ 'forgot_password' => 'Ste pozabili geslo?',
+ 'email_address' => 'E-poštni naslov',
+ 'lets_go' => 'Pojdimo',
+ 'password_recovery' => 'Obnovitev gesla',
+ 'send_email' => 'Pošlji e-pošto',
+ 'set_password' => 'Nastavi geslo',
+ 'converted' => 'Pretvorjeno',
+ 'email_approved' => 'Pošlji e-pošto ob potrjenem predračunom',
+ 'notification_quote_approved_subject' => 'Stranka :client je potrdila predračun :invoice',
+ 'notification_quote_approved' => 'Stranka :client je potrdila predračun :invoice v znesku :amount.',
+ 'resend_confirmation' => 'Znova pošlji potrditveno e-pošto',
+ 'confirmation_resent' => 'Potrditvena e-pošto je bila poslana.',
+ 'gateway_help_42' => ':link za BitPay.
Opozorilo: Uporabite Legacy API Key, ne API žeton.',
+ 'payment_type_credit_card' => 'Kreditna kartica',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Baza znanja',
+ 'partial' => 'Delno plačilo/polog',
+ 'partial_remaining' => ':partial od :balance',
+ 'more_fields' => 'Več polj',
+ 'less_fields' => 'Manj polj',
+ 'client_name' => 'Ime stranke',
+ 'pdf_settings' => 'PDF nastavitve',
+ 'product_settings' => 'Nastavitve produkta',
+ 'auto_wrap' => 'Samodejni prelom vrstic',
+ 'duplicate_post' => 'Opozirilo: Prejšnja stran je bila oddana dvakrat. Druga oddaja je bila prezrta.',
+ 'view_documentation' => 'Ogled dokumentacije',
+ 'app_title' => 'Brezplačni spletni Open-Source sistem za fakturiranje',
+ 'app_description' => 'InvoiceNinja je brezplačna, open-source rešitev za fakturiranje in izdajo računov. Z Invoice Ninjo lahko enostavno ustvarite in pošiljate čudovite račune z katere koli naprave, ki ima dostop do spleta. Vaše stranke lahko tiskajo račune, jih prenesejo v PDF obliki, in tudi ti plačujejo preko spleta.',
+ 'rows' => 'vrstic',
+ 'www' => 'www',
+ 'logo' => 'Logotip',
+ 'subdomain' => 'Poddomena',
+ 'provide_name_or_email' => 'Vnesite ime ali e-poštni naslov',
+ 'charts_and_reports' => 'Grafikoni in Poročila',
+ 'chart' => 'Grafikon',
+ 'report' => 'Poročilo',
+ 'group_by' => 'Združi v skupino',
+ 'paid' => 'Plačano',
+ 'enable_report' => 'Poročilo',
+ 'enable_chart' => 'Grafikon',
+ 'totals' => 'Vsote',
+ 'run' => 'Zagon',
+ 'export' => 'Izvoz',
+ 'documentation' => 'Dokumentacija',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Ponavlj. računi',
+ 'last_invoice_sent' => 'Zadnji poslan račun: :date',
+ 'processed_updates' => 'Posodobitev uspešno izvedena',
+ 'tasks' => 'Opravila',
+ 'new_task' => 'Novo opravilo',
+ 'start_time' => 'Začetek',
+ 'created_task' => 'Opravilo uspešno ustvarjeno',
+ 'updated_task' => 'Opravilo uspešno posodobljeno',
+ 'edit_task' => 'Uredi opravilo',
+ 'archive_task' => 'Arhiviraj opravilo',
+ 'restore_task' => 'Obnovi opravilo',
+ 'delete_task' => 'Odstrani opravilo',
+ 'stop_task' => 'Končaj opravilo',
+ 'time' => 'Čas',
+ 'start' => 'Začetek',
+ 'stop' => 'Končaj',
+ 'now' => 'Zdaj',
+ 'timer' => 'Merilec časa',
+ 'manual' => 'Ročno',
+ 'date_and_time' => 'Datum in Čas',
+ 'second' => 'Sekunda',
+ 'seconds' => 'Sekund',
+ 'minute' => 'Minuta',
+ 'minutes' => 'Minut',
+ 'hour' => 'Ura',
+ 'hours' => 'Ur',
+ 'task_details' => 'Podrobnosti opravila',
+ 'duration' => 'Trajanje',
+ 'end_time' => 'Čas zaključka',
+ 'end' => 'Konec',
+ 'invoiced' => 'Fakturirano',
+ 'logged' => 'Prijavljeno',
+ 'running' => 'V teku',
+ 'task_error_multiple_clients' => 'Opravilo ne sme pripadati drugi stranki',
+ 'task_error_running' => 'Najprej ustavite storitve prosim.',
+ 'task_error_invoiced' => 'Opravila so bila že zaračunana',
+ 'restored_task' => 'Opravilo uspešno obnovljeno',
+ 'archived_task' => 'Opravilo uspešno arhivirano',
+ 'archived_tasks' => 'Število uspešno odstranjenih opravil: :count',
+ 'deleted_task' => 'Opravilo uspešno odstranjeno',
+ 'deleted_tasks' => 'Število uspešno odstranjenih opravil: :count tasks',
+ 'create_task' => 'Vnesi opravilo',
+ 'stopped_task' => 'Opravilo uspešno ustavljeno',
+ 'invoice_task' => 'Fakturiraj opravilo',
+ 'invoice_labels' => 'Oznake na računu',
+ 'prefix' => 'Predpona',
+ 'counter' => 'Števec',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link za prijavo za Dwolla',
+ 'partial_value' => 'Mora biti večje od nič in manjše od celotnega zneska',
+ 'more_actions' => 'Več dejanj',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Nadgradi zdaj!',
+ 'pro_plan_feature1' => 'Ustvari neomejeno Strank',
+ 'pro_plan_feature2' => 'Dostop do 10 čudovitih modelov računa',
+ 'pro_plan_feature3' => 'URL po meri - "VasePodjetje.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Odstrani "Narejeno z uporabo programa Invoice Ninja"',
+ 'pro_plan_feature5' => 'Multi-uporabniški dostop in sledenje aktivnosti',
+ 'pro_plan_feature6' => 'Ustvari predračune in proforma račune',
+ 'pro_plan_feature7' => 'Prilagodite polja računa in oštevilčevanje',
+ 'pro_plan_feature8' => 'Možnost za dodajanje PDF priponk v e-poštna sporočila strankam',
+ 'resume' => 'Nadaljuj',
+ 'break_duration' => 'Prekini',
+ 'edit_details' => 'Uredi podrobnosti',
+ 'work' => 'Delo',
+ 'timezone_unset' => 'Please :link to set your timezone',
+ 'click_here' => 'klikni tukaj',
+ 'email_receipt' => 'Pošlji račun stranki',
+ 'created_payment_emailed_client' => 'Uspešno ustvarjeno plačilo in poslano stranki',
+ 'add_company' => 'Dodaj podjetje',
+ 'untitled' => 'Neimenovano',
+ 'new_company' => 'Novo podjetje',
+ 'associated_accounts' => 'Uspešno povezani računi',
+ 'unlinked_account' => 'Povezava računov prekinjena',
+ 'login' => 'Prijava',
+ 'or' => 'ali',
+ 'email_error' => 'Prišlo je do napake pri pošiljanji e-pošte',
+ 'confirm_recurring_timing' => 'Opozorilo: e-pošta bo poslana ob začetku ure.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Privzeto bo izbran ta rok plačila.',
+ 'unlink_account' => 'Prekini povezavo računa',
+ 'unlink' => 'Prekini povezavo',
+ 'show_address' => 'Prikaži naslov',
+ 'show_address_help' => 'Stranka mora vnesti naslov za račun',
+ 'update_address' => 'Posodobi naslov',
+ 'update_address_help' => 'Posodobi naslov stranke z predloženimi podatki.',
+ 'times' => 'Čas',
+ 'set_now' => 'Nastavi trenuten čas',
+ 'dark_mode' => 'Temen način',
+ 'dark_mode_help' => 'Uporabi temen stil za stranske vrstice',
+ 'add_to_invoice' => 'Dodaj k računu :invoice',
+ 'create_new_invoice' => 'Ustvari nov račun',
+ 'task_errors' => 'Prosim popravite prekrivajoče časove',
+ 'from' => 'Od',
+ 'to' => 'Do',
+ 'font_size' => 'Velikost pisave',
+ 'primary_color' => 'Osnovna barva',
+ 'secondary_color' => 'Sekundarna barva',
+ 'customize_design' => 'Izgled po meri',
+ 'content' => 'Vsebina',
+ 'styles' => 'Stili',
+ 'defaults' => 'Privzeto',
+ 'margins' => 'Robovi',
+ 'header' => 'Glava',
+ 'footer' => 'Noga',
+ 'custom' => 'Po meri',
+ 'invoice_to' => 'Račun za',
+ 'invoice_no' => 'Št. računa',
+ 'quote_no' => 'Predračun št.',
+ 'recent_payments' => 'Nedavna plačila',
+ 'outstanding' => 'Odprte postavke',
+ 'manage_companies' => 'Upravljanj podjetja',
+ 'total_revenue' => 'Skupni prihodki',
+ 'current_user' => 'Trenutni uporabnik',
+ 'new_recurring_invoice' => 'Nov ponavljajoči račun',
+ 'recurring_invoice' => 'Ponavljajoči račun',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Prezgodaj je, da bi ustvarili naslednji račun. Naslednjič je predviden :date',
+ 'created_by_invoice' => 'Naredil: :invoice',
+ 'primary_user' => 'Primarni uporabnik',
+ 'help' => 'Pomoč',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Veljavnost',
+ 'quote_due_date' => 'Veljavnost',
+ 'valid_until' => 'Veljavnost',
+ 'reset_terms' => 'Ponastavi pogoje',
+ 'reset_footer' => 'POnastavi nogo',
+ 'invoice_sent' => ':count račun poslan',
+ 'invoices_sent' => ':count poslanih računov',
+ 'status_draft' => 'Osnutek',
+ 'status_sent' => 'Poslano',
+ 'status_viewed' => 'Ogledano',
+ 'status_partial' => 'Delno plačano',
+ 'status_paid' => 'Plačano',
+ 'status_unpaid' => 'Neplačano',
+ 'status_all' => 'Vse',
+ 'show_line_item_tax' => 'Prikaži davke v vrstici',
+ 'iframe_url' => 'Spletna stran',
+ 'iframe_url_help1' => 'Kopiraj kodo na vašo spletno stran.',
+ 'iframe_url_help2' => 'Funkcijo lahko preizkusite s klikom na "Prikaži kot prejemnik" na računu.',
+ 'auto_bill' => 'Samodejno plačilo',
+ 'military_time' => '24 urni čas',
+ 'last_sent' => 'Zadnji poslan',
+ 'reminder_emails' => 'Opomini prek e-pošte',
+ 'templates_and_reminders' => 'Predloge in opomini',
+ 'subject' => 'Predmet',
+ 'body' => 'Vsebina',
+ 'first_reminder' => 'Prvi opomin',
+ 'second_reminder' => 'Drugi opomin',
+ 'third_reminder' => 'Tretji opomin',
+ 'num_days_reminder' => 'Dnevi zamude',
+ 'reminder_subject' => 'Opomin: račun :invoice od :account',
+ 'reset' => 'Ponastavi',
+ 'invoice_not_found' => 'Zahtevan račun ni na voljo',
+ 'referral_program' => 'Program napotnice',
+ 'referral_code' => 'URL Naslov napotnice',
+ 'last_sent_on' => 'Zadnji poslani: :date',
+ 'page_expire' => 'Ta stran bo kmalu potekla, :click_here za nadaljevanje dela',
+ 'upcoming_quotes' => 'Prihajajoči predračuni',
+ 'expired_quotes' => 'Potekli predračuni',
+ 'sign_up_using' => 'Prijavi se z',
+ 'invalid_credentials' => 'Prijava se ne ujema z našimi podatki',
+ 'show_all_options' => 'Pokaži vse opcije',
+ 'user_details' => 'Podrobnosti uporabnika',
+ 'oneclick_login' => 'Povezan račun',
+ 'disable' => 'Onemogoči',
+ 'invoice_quote_number' => 'Številke računov in predračunov',
+ 'invoice_charges' => 'Doplačila k računu',
+ 'notification_invoice_bounced' => 'Računa :invoice ni bilo možno dostaviti na: :contact.',
+ 'notification_invoice_bounced_subject' => 'Računa :invoice ni bilo možno dostaviti',
+ 'notification_quote_bounced' => 'Predračuna :invoice ni bilo možno dostaviti na/k :contact.',
+ 'notification_quote_bounced_subject' => 'Predračuna :invoice ni bilo možno dostaviti',
+ 'custom_invoice_link' => 'Povezava po meri',
+ 'total_invoiced' => 'Skupni računi',
+ 'open_balance' => 'Saldo',
+ 'verify_email' => 'Za potrditev vašega e-poštni naslova obiščite povezavo v poslani e-pošti, .',
+ 'basic_settings' => 'Osnovne nastavitve',
+ 'pro' => 'Pro',
+ 'gateways' => 'Plačilni prehodi',
+ 'next_send_on' => 'Naslednje pošiljanje: :date',
+ 'no_longer_running' => 'Ta račun je označen za zagon',
+ 'general_settings' => 'Splošne nastavitve',
+ 'customize' => 'Prilagodi po meri',
+ 'oneclick_login_help' => 'Povežite račun za prijavo brez gesla',
+ 'referral_code_help' => 'Zaslužite z deljenjen naše aplikacijo na spletu',
+ 'enable_with_stripe' => 'Omogoči | Zahteva Stripe',
+ 'tax_settings' => 'Davčne dastavitve',
+ 'create_tax_rate' => 'Dodaj davčno stopnjo',
+ 'updated_tax_rate' => 'Davčna stopnja uspešno posodobljena',
+ 'created_tax_rate' => 'Davčna stopnja uspešno ustvarjena',
+ 'edit_tax_rate' => 'Uredi davčno stopnjo',
+ 'archive_tax_rate' => 'Arhiviraj davčno stopnjo',
+ 'archived_tax_rate' => 'Davčna stopnja uspešno arhivirana',
+ 'default_tax_rate_id' => 'Privzeta davčna stopnja',
+ 'tax_rate' => 'Davčna stopnja',
+ 'recurring_hour' => 'Ura pošiljanja ponavljajočega računa',
+ 'pattern' => 'Vzorec',
+ 'pattern_help_title' => 'Vzorec - Pomoč',
+ 'pattern_help_1' => 'Z določitvijo vzorca ustvari številke meri',
+ 'pattern_help_2' => 'Veljavne spremenljivke:',
+ 'pattern_help_3' => 'Na primer, :example bi bil pretvorjen v :value',
+ 'see_options' => 'Poglej možnosti',
+ 'invoice_counter' => 'Števec za račun',
+ 'quote_counter' => 'Števec predračunov',
+ 'type' => 'Tip',
+ 'activity_1' => ':user je ustvaril stranko :client',
+ 'activity_2' => ':user je arhiviraj stranko :client',
+ 'activity_3' => ':user je odstranil stranko :client',
+ 'activity_4' => ':user je ustvaril račun :invoice',
+ 'activity_5' => ':user je posodobil račun :invoice',
+ 'activity_6' => ':user je poslal račun :invoice stranki :contact',
+ 'activity_7' => ':contact je pogledal račun :invoice',
+ 'activity_8' => ':user je arhiviral račun :invoice',
+ 'activity_9' => ':user je odstranil račun :invoice',
+ 'activity_10' => ':contact je vnesel plačilo :payment za :invoice',
+ 'activity_11' => ':user je posodobil plačilo :payment',
+ 'activity_12' => ':user je arhiviral plačilo :payment',
+ 'activity_13' => ':user je odstranil :payment',
+ 'activity_14' => ':user je vnesel :credit dobropis',
+ 'activity_15' => ':user je posodobil :credit dobropis',
+ 'activity_16' => ':user je arhiviral :credit dobropis',
+ 'activity_17' => ':user je odstranil :credit dobropis',
+ 'activity_18' => ':user je ustvaril predračun :quote',
+ 'activity_19' => ':user je posodobil predračun :quote',
+ 'activity_20' => ':user je poslal predračun :quote na naslov: :contact',
+ 'activity_21' => ':contact je pogledal predračun :quote',
+ 'activity_22' => ':user je arhiviral predračun :quote',
+ 'activity_23' => ':user je odstranil predračun :quote',
+ 'activity_24' => ':user je obnovil predračun :quote',
+ 'activity_25' => ':user je obnovil račun :invoice',
+ 'activity_26' => ':user je obnovil stranko :client',
+ 'activity_27' => ':user je obnovil plačilo :payment',
+ 'activity_28' => ':user je obnovil dobropis :credit',
+ 'activity_29' => ':contact je potrdil predračun :quote',
+ 'activity_30' => ':user je ustvaril prodajalca :vendor',
+ 'activity_31' => ':user je arhiviral prodajalca :vendor',
+ 'activity_32' => ':user je odstranil prodajalca :vendor',
+ 'activity_33' => ':user je obnovil prodajalca :vendor',
+ 'activity_34' => ':user je vnesel strošek :expense',
+ 'activity_35' => ':user je arhiviral strošek :expense',
+ 'activity_36' => ':user je izbrisal strošek :expense',
+ 'activity_37' => ':user je obnovil strošek :expense',
+ 'activity_42' => ':user je vnesel opravilo :task',
+ 'activity_43' => ':user je posodobil opravilo :task',
+ 'activity_44' => ':user je arhiviral opravilo :task',
+ 'activity_45' => ':user je izbrisal opravilo :task',
+ 'activity_46' => ':user je obnovil opravilo :task',
+ 'activity_47' => ':user je posodobil opravilo :expense',
+ 'payment' => 'Plačilo',
+ 'system' => 'Sistem',
+ 'signature' => 'Podpis v e-pošti',
+ 'default_messages' => 'Privzeta sporočila',
+ 'quote_terms' => 'Pogoji predračuna',
+ 'default_quote_terms' => 'Privzeti pogoji predračuna',
+ 'default_invoice_terms' => 'Privzeti pogoji računa',
+ 'default_invoice_footer' => 'Privzata noga računa',
+ 'quote_footer' => 'Noga predračuna',
+ 'free' => 'Brezplačno',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Potrdi dobropis',
+ 'system_settings' => 'Sistemske nastavitve',
+ 'archive_token' => 'Arhiviraj žeton',
+ 'archived_token' => 'Žeton uspešno arhiviran',
+ 'archive_user' => 'Ahriviraj uporabnika',
+ 'archived_user' => 'Uporabnik uspešno arhiviran',
+ 'archive_account_gateway' => 'Arhiviraj prehod',
+ 'archived_account_gateway' => 'Prehod uspešno akhiviran',
+ 'archive_recurring_invoice' => 'Arhiviraj ponavljajoči račun',
+ 'archived_recurring_invoice' => 'Ponavljajoči račun uspešno arhiviran',
+ 'delete_recurring_invoice' => 'Odstrani ponavljajoči račun',
+ 'deleted_recurring_invoice' => 'Ponavljajoči račun uspešno odstranjen',
+ 'restore_recurring_invoice' => 'Obnovi ponavljajoči račun',
+ 'restored_recurring_invoice' => 'Ponavljajoči račun uspešno obnovljen',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Arhivirano',
+ 'untitled_account' => 'Neimenovano podjetje',
+ 'before' => 'Pred',
+ 'after' => 'Po',
+ 'reset_terms_help' => 'Ponastavi privzete pogoje računa',
+ 'reset_footer_help' => 'Ponastavi privzeto nogo računa',
+ 'export_data' => 'Izvozi podatke',
+ 'user' => 'Uporabnik',
+ 'country' => 'Država',
+ 'include' => 'Vsebuje',
+ 'logo_too_large' => 'Vaš logotip je :size. Za boljše PDF delovanje priporočamo, da naložite datoteko s sliko z manj kot 200KB',
+ 'import_freshbooks' => 'Uvozi z FreshBooks',
+ 'import_data' => 'Uvozi podatke',
+ 'source' => 'Izvor',
+ 'csv' => 'CSV',
+ 'client_file' => 'Datoteka strank',
+ 'invoice_file' => 'Datoteka računov',
+ 'task_file' => 'Datoteka opravil',
+ 'no_mapper' => 'Neveljavno kartiranje za datoteko',
+ 'invalid_csv_header' => 'Neveljavna CSV Glava',
+ 'client_portal' => 'Portal za stranke',
+ 'admin' => 'Skrbnik',
+ 'disabled' => 'Onemogočeno',
+ 'show_archived_users' => 'Prikaži arhivirane uporabnike',
+ 'notes' => 'Opis',
+ 'invoice_will_create' => 'račun bo ustvarjen',
+ 'invoices_will_create' => 'računi bodo ustvarjeni',
+ 'failed_to_import' => 'Zapisov ni bilo mogoče uvoziti, bodisi že obstajajo ali pa manjkajo zahtevana polja.',
+ 'publishable_key' => 'Ključ za objavo',
+ 'secret_key' => 'Skrivni ključ',
+ 'missing_publishable_key' => 'Nastavite Stripe objavni ključ za izboljšan postopek odjave',
+ 'email_design' => 'Stil e-pošte',
+ 'due_by' => 'Zapadlost: :date',
+ 'enable_email_markup' => 'Omogoči označbe.',
+ 'enable_email_markup_help' => 'Olajšajte strankam plačevanje z dodajanjem schema.org označb v vašo e-pošto.',
+ 'template_help_title' => 'Pomoč za predloge',
+ 'template_help_1' => 'Razpoložljive spremenljivke:',
+ 'email_design_id' => 'Stil e-pošte',
+ 'email_design_help' => 'Naredi e-pošto videti bolj profesionalno z uporabo HTML postavitve.',
+ 'plain' => 'Navadno',
+ 'light' => 'Svetlo',
+ 'dark' => 'Temno',
+ 'industry_help' => 'Uporablja se za primerjavo s podjetjim podobne velikosti in panoge.',
+ 'subdomain_help' => 'Nastavite pod domeno ali prikažite račun na vaši spletni strani.',
+ 'website_help' => 'Račun prikaži na svoji spletni strani v načinu "iFrame"',
+ 'invoice_number_help' => 'Za dinamično dodelitev številke računa določite predpono ali uporabite vzorec po meri.',
+ 'quote_number_help' => 'Določi predpono ali lasten vzorec za določitev številk predračunov.',
+ 'custom_client_fields_helps' => 'Dodaj polje pri ustvarjanju stranke ter neobvezen prikaz tega polja na PDF.',
+ 'custom_account_fields_helps' => 'Dodaj oznako in vrednost v območje podatkov podjetja v PDF.',
+ 'custom_invoice_fields_helps' => 'Dodaj polje pri ustvarjanju računa ter neobvezen prikaz tega polja na PDF.',
+ 'custom_invoice_charges_helps' => 'Pri ustvarjanju računa, ki vključuje stroške v skupnem znesku, dodaj polje.',
+ 'token_expired' => 'Potrditveni žeton je potekel. Prosim poskusite ponovno.',
+ 'invoice_link' => 'Pot do Računa',
+ 'button_confirmation_message' => 'Kliknite, da potrdite svoj e-poštni naslov.',
+ 'confirm' => 'Potrdi',
+ 'email_preferences' => 'Nastavitve e-pošte',
+ 'created_invoices' => 'Število uspešno vnešenih računov: :count',
+ 'next_invoice_number' => 'Št. naslednjega računa je :number.',
+ 'next_quote_number' => 'Naslednja št. predračuna je :number.',
+ 'days_before' => 'dan pred',
+ 'days_after' => 'dan po',
+ 'field_due_date' => 'Zapadlost računa',
+ 'field_invoice_date' => 'Datum računa',
+ 'schedule' => 'Urnik',
+ 'email_designs' => 'Stili e-pošte',
+ 'assigned_when_sent' => 'Dodeljen ko je poslan',
+ 'white_label_purchase_link' => 'Kupi White label licenco',
+ 'expense' => 'Strošek',
+ 'expenses' => 'Stroški',
+ 'new_expense' => 'Vnesi strošek',
+ 'enter_expense' => 'Vnesi strošek',
+ 'vendors' => 'Prodajalci',
+ 'new_vendor' => 'Nov prodajalec',
+ 'payment_terms_net' => 'Neto',
+ 'vendor' => 'Prodajalec',
+ 'edit_vendor' => 'Uredi prodajalca',
+ 'archive_vendor' => 'Arhiviraj prodajalca',
+ 'delete_vendor' => 'Odstrani prodajalca',
+ 'view_vendor' => 'Ogled prodajalca',
+ 'deleted_expense' => 'Strošek uspešno odstranjen',
+ 'archived_expense' => 'Strošek uspešno arhiviran',
+ 'deleted_expenses' => 'Stroški uspešno odstranjeni',
+ 'archived_expenses' => 'Stroški uspešno arhivirani',
+ 'expense_amount' => 'Znesek stroška',
+ 'expense_balance' => 'Saldo stroška',
+ 'expense_date' => 'Datum stroška',
+ 'expense_should_be_invoiced' => 'Ali naj bo ta strošek na računu?',
+ 'public_notes' => 'Javni zaznamki',
+ 'invoice_amount' => 'Znesek računa',
+ 'exchange_rate' => 'Menjalni tečaj',
+ 'yes' => 'Da',
+ 'no' => 'Ne',
+ 'should_be_invoiced' => 'Bo fakturiran',
+ 'view_expense' => 'Ogled stroška # :expense',
+ 'edit_expense' => 'Uredi strošek',
+ 'archive_expense' => 'Arhiviraj strošek',
+ 'delete_expense' => 'Odstrani strošek',
+ 'view_expense_num' => 'Strošek # :expense',
+ 'updated_expense' => 'Strošek uspešno posodobljen',
+ 'created_expense' => 'Strošek uspešno vnešen',
+ 'enter_expense' => 'Vnesi strošek',
+ 'view' => 'Ogled',
+ 'restore_expense' => 'Obnovi strošek',
+ 'invoice_expense' => 'Strošek računa',
+ 'expense_error_multiple_clients' => 'Stroški ne morejo pripadati različnim strankam.',
+ 'expense_error_invoiced' => 'Strošek je že bil fakturiran',
+ 'convert_currency' => 'Pretvori valuto',
+ 'num_days' => 'Število dni',
+ 'create_payment_term' => 'Ustvari plačini Pogoj',
+ 'edit_payment_terms' => 'Uredi plačilni Pogoj',
+ 'edit_payment_term' => 'Uredi plačilni pogoj',
+ 'archive_payment_term' => 'Arhiviraj plačini Pogoj',
+ 'recurring_due_dates' => 'Zapadlost ponavljajočih računov',
+ '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.
+
+
',
+ 'due' => 'Do',
+ 'next_due_on' => 'Zapadlost naslednjega: :date',
+ 'use_client_terms' => 'Uporabi pogoje stranke',
+ 'day_of_month' => ':ordinal dan v mesecu',
+ 'last_day_of_month' => 'Zadnji dan v mesecu',
+ 'day_of_week_after' => ':ordinal :day po',
+ 'sunday' => 'Nedelja',
+ 'monday' => 'Ponedeljek',
+ 'tuesday' => 'Torek',
+ 'wednesday' => 'Sreda',
+ 'thursday' => 'Četrtek',
+ 'friday' => 'Petek',
+ 'saturday' => 'Sobota',
+ 'header_font_id' => 'Pisava glave',
+ 'body_font_id' => 'Pisava vsebine',
+ 'color_font_help' => 'Opomba: osnovna barva in pisava se uporablja tudi v portalu za stranke in v prilagojenih e-poštnih sporočilih.',
+ 'live_preview' => 'Takojšen predogled',
+ 'invalid_mail_config' => 'E-pošte ni bilo mogoče poslati. Preverite, da so e-poštne nastavitve pravilne.',
+ 'invoice_message_button' => 'Za ogled vašega računa v znesku :amount, klikni na gumb spodaj.',
+ 'quote_message_button' => 'Za ogled vašega predračuna v znesku :amount, kliknite na gumb spodaj.',
+ 'payment_message_button' => 'Zahvaljujemo se vam za plačilo v znesku :amount.',
+ 'payment_type_direct_debit' => 'Neposredena bremenitev',
+ 'bank_accounts' => 'Kreditne kartice in banke',
+ 'add_bank_account' => 'Dodaj bančni račun',
+ 'setup_account' => 'Nastavi račun',
+ 'import_expenses' => 'Uvozi stroške',
+ 'bank_id' => 'Banka',
+ 'integration_type' => 'Tip integracije',
+ 'updated_bank_account' => 'Bančni račun uspešno posodobljen',
+ 'edit_bank_account' => 'Uredi bančni račun',
+ 'archive_bank_account' => 'Arhiviraj bančni račun',
+ 'archived_bank_account' => 'Bančni račun uspešno arhiviran',
+ 'created_bank_account' => 'Bančni račun uspešno vnešen',
+ 'validate_bank_account' => 'Potrdi bančni račun',
+ 'bank_password_help' => 'Vaše geslo je varno posredovano in nikoli shranjeno na naših strežnikih.',
+ 'bank_password_warning' => 'Opozorilo: vaše geslo je lahko posredovano kot golo besedilo. Priporočamo uprabo HTTPS.',
+ 'username' => 'Uporabniško ime',
+ 'account_number' => 'Št. računa',
+ 'account_name' => 'Ime računa',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Potrjeno',
+ 'quote_settings' => 'Nastavitve predračunov',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Samodejno pretvori predračun v račun, ki ga stranka potrdi.',
+ 'validate' => 'Potrdi',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Uspešno vnešeni prodajalci: :count_vendors in stroški: :count_expenses',
+ 'iframe_url_help3' => 'Opomba: če nameravate sprejemati spletna plačila predlagamo, da na vaši strani omogočite HTTPS.',
+ 'expense_error_multiple_currencies' => 'Strošek ne sme imeti dveh valut.',
+ 'expense_error_mismatch_currencies' => 'Valuta stranke ni enaka valuti stroška.',
+ 'trello_roadmap' => 'Trello načrt',
+ 'header_footer' => 'Glava/Noga',
+ 'first_page' => 'Prva stran',
+ 'all_pages' => 'Vse strani',
+ 'last_page' => 'Zadnja stran',
+ 'all_pages_header' => 'Prikaži glavo na',
+ 'all_pages_footer' => 'Prikaži nogo na',
+ 'invoice_currency' => 'Valuta računa',
+ 'enable_https' => 'Pri spletnem sprejemanju kreditnih kartic močno priporočamo uporabo HTTPS.',
+ 'quote_issued_to' => 'Predračun izdan na',
+ 'show_currency_code' => 'Valuta',
+ 'free_year_message' => 'Vaš račun je bil brezplačno nadgrajen v pro paket.',
+ 'trial_message' => 'Vaš račun bo prejel dva tedna brezplačne uporabe našega pro paketa.',
+ 'trial_footer' => 'Vaš brezplačni pro paket še velja :count dni, :link da nadgradite vaš paket.',
+ 'trial_footer_last_day' => 'Danes poteče vaš brezplačni pro paket, :link da ga podaljšate ali nadgradite.',
+ 'trial_call_to_action' => 'Začni brezplačno poskusno obdobje',
+ 'trial_success' => 'Dva tedensko brezplačno poskusno obdobje uspešno omogočeno.',
+ 'overdue' => 'Zapadlo',
+
+
+ 'white_label_text' => 'Za odstranitev Invoice Ninja znamke z računa in portala za stranke, zakupi enoletno "white Label" licenco v znesku $:price.',
+ 'user_email_footer' => 'Za spremembo e-poštnih obvestil obiščite :link',
+ 'reset_password_footer' => 'Če niste zahtevali ponastavitev gesla, nas prosim obvestite na naslov: :email',
+ 'limit_users' => 'To bo preseglo mejo :limit uporabnikov',
+ 'more_designs_self_host_header' => 'Pridobite 6 slogov za račun za samo $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link za $:price da omogočite lastne sloge za pomoč in podporo našega projekta',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link za odstranitev logotipa Invoice Ninja z vstopom v Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Klikni tu',
+ 'invitation_status_sent' => 'Poslano',
+ 'invitation_status_opened' => 'Odprto',
+ 'invitation_status_viewed' => 'Ogledano',
+ 'email_error_inactive_client' => 'E-pošte se ne more pošiljati neaktivnim strankam',
+ 'email_error_inactive_contact' => 'E-pošte se ne more pošiljati neaktivnim kontaktom',
+ 'email_error_inactive_invoice' => 'E-pošte se ne more pošiljati neaktivnim računom',
+ 'email_error_inactive_proposal' => 'E-pošte ni mogoče poslati neaktivnim ponudbam',
+ 'email_error_user_unregistered' => 'Za pošiljanje e-pošte registrirajte vaš račun',
+ 'email_error_user_unconfirmed' => 'Za pošiljanje pošte potrdite svoj račun',
+ 'email_error_invalid_contact_email' => 'Neveljaven e-poštni naslov kontakta',
+
+ 'navigation' => 'Navigacija',
+ 'list_invoices' => 'Seznam računov',
+ 'list_clients' => 'Seznam strank',
+ 'list_quotes' => 'Seznam predračunov',
+ 'list_tasks' => 'Seznam opravil',
+ 'list_expenses' => 'Seznam stroškov',
+ 'list_recurring_invoices' => 'Seznam ponavljajočih računov',
+ 'list_payments' => 'Seznam računov',
+ 'list_credits' => 'Seznam dobropisov',
+ 'tax_name' => 'Ime davčne stopnje',
+ 'report_settings' => 'Nastavitve poročila',
+ 'search_hotkey' => 'bližnjica je /',
+
+ 'new_user' => 'Nov uporabnik',
+ 'new_product' => 'Nov produkt',
+ 'new_tax_rate' => 'Nova davčna stopnja',
+ 'invoiced_amount' => 'Fakturiran znesek',
+ 'invoice_item_fields' => 'Polja postavk računa',
+ 'custom_invoice_item_fields_help' => 'Pri ustvarjanju postavke računa dodaj polje in na PDF dokumentu prikaži oznako in vrednost.',
+ 'recurring_invoice_number' => 'Ponavljajoče številke',
+ 'recurring_invoice_number_prefix_help' => 'Nastavite predpono, ki bo dodana na ponavaljajoče račune.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Zaščiti račune z geslom',
+ 'enable_portal_password_help' => 'Omogoča da nastavite geslo za vsako osebo. Če je geslo nastavljeno, ga bo uporabnik moral vnesti pred ogledom računa.',
+ 'send_portal_password' => 'Samodejno nastavi',
+ 'send_portal_password_help' => 'Če geslo ni nastavljeno, bo ustvarjeno samodejno in se pošlje s prvim računom.',
+
+ 'expired' => 'Poteklo',
+ 'invalid_card_number' => 'Št. kreditne kartice ni veljavna.',
+ 'invalid_expiry' => 'Datum poteka ni veljaven.',
+ 'invalid_cvv' => 'CVV ni veljaven.',
+ 'cost' => 'Cena',
+ 'create_invoice_for_sample' => 'Opomba: ustvarite vaš prvi račun da boste tu videli predogled.',
+
+ // User Permissions
+ 'owner' => 'Lastnik',
+ 'administrator' => 'Upravljalec',
+ 'administrator_help' => 'Dovoli uporabniku da upravlja z uporabniki, nastavitvami in vsemi zapisi',
+ 'user_create_all' => 'Ustvarja stranke, račune, itd.',
+ 'user_view_all' => 'Vidi stranke, račune, itd.',
+ 'user_edit_all' => 'Ureja stranke, račune, itd.',
+ 'gateway_help_20' => ':link za prijavo na Sage Pay.',
+ 'gateway_help_21' => ':link za prijavo na Sage Pay.',
+ 'partial_due' => 'Delno plačilo do',
+ 'restore_vendor' => 'Obnovi prodajalca',
+ 'restored_vendor' => 'Prodajalec uspešno obnovljen',
+ 'restored_expense' => 'Strošek uspešno obnovljen',
+ 'permissions' => 'Pravice',
+ 'create_all_help' => 'Dovoli uporabniku da ustvarja in ureja zapise',
+ 'view_all_help' => 'Dovoli uporabniku ogled zapisov, ki jih ni naredil',
+ 'edit_all_help' => 'Dovoli uporabniku urejanje zapisov, ki jih ni naredil',
+ 'view_payment' => 'Ogled plačila',
+
+ 'january' => 'Januar',
+ 'february' => 'Februar',
+ 'march' => 'Marec',
+ 'april' => 'April',
+ 'may' => 'Maj',
+ 'june' => 'Junij',
+ 'july' => 'Julij',
+ 'august' => 'August',
+ 'september' => 'September',
+ 'october' => 'Oktober',
+ 'november' => 'November',
+ 'december' => 'December',
+
+ // Documents
+ 'documents_header' => 'Dokumenti:',
+ 'email_documents_header' => 'Dokumenti:',
+ 'email_documents_example_1' => 'Pripomočni račun.pdf',
+ 'email_documents_example_2' => 'Končna dobavljivost.zip',
+ 'quote_documents' => 'Dokumenti predračuna',
+ 'invoice_documents' => 'Dokumenti računa',
+ 'expense_documents' => 'Dokumenti stroška',
+ 'invoice_embed_documents' => 'Omogočeni dokumenti',
+ 'invoice_embed_documents_help' => 'V računu vključi pripete slike.',
+ 'document_email_attachment' => 'Pripni dokumente',
+ 'ubl_email_attachment' => 'Pripni UBL',
+ 'download_documents' => 'Prenesi dokumente (:size)',
+ 'documents_from_expenses' => 'Od stroškov:',
+ 'dropzone_default_message' => 'Odložite datoteke ali kliknite tukaj',
+ 'dropzone_fallback_message' => 'Vaš brskalnik ne podpira funkcije povleci in spusti.',
+ 'dropzone_fallback_text' => 'Prosimo uporabite obrazec spodaj za nalaganje datotek, kot v starih časih.',
+ 'dropzone_file_too_big' => 'Datoteke je prevelika ({{filesize}}MiB). Največja dovoljena velikost datoteke: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'Datoteke tega tipa niso dovoljene.',
+ 'dropzone_response_error' => 'Odgovor strežnika: {{statusCode}} ',
+ 'dropzone_cancel_upload' => 'Prekliči nalaganje',
+ 'dropzone_cancel_upload_confirmation' => 'Ali ste pripričani da želite preklicati nalaganje?',
+ 'dropzone_remove_file' => 'Odstrani datoteko',
+ 'documents' => 'Dokumenti',
+ 'document_date' => 'Datum dokumenta',
+ 'document_size' => 'Velikost',
+
+ 'enable_client_portal' => 'Portal za stranke',
+ 'enable_client_portal_help' => 'Pokaži/skrij portal za stranke',
+ 'enable_client_portal_dashboard' => 'Nadzorna plošča',
+ 'enable_client_portal_dashboard_help' => 'Prikaži/skrij nadzorno ploščo v stranko portalu.',
+
+ // Plans
+ 'account_management' => 'Upravljanje računa',
+ 'plan_status' => 'Trenuten paket',
+
+ 'plan_upgrade' => 'Nadgradi',
+ 'plan_change' => 'Spremeni paket',
+ 'pending_change_to' => 'Spremeni v',
+ 'plan_changes_to' => ':plan na :date',
+ 'plan_term_changes_to' => ':plan (:term) na :date',
+ 'cancel_plan_change' => 'Prekliči spremembo',
+ 'plan' => 'Plan',
+ 'expires' => 'Poteče',
+ 'renews' => 'Se obnovi',
+ 'plan_expired' => ':plan paket je potekel',
+ 'trial_expired' => ':plan poskusno obdobje se je končalo',
+ 'never' => 'Nikoli',
+ 'plan_free' => 'Brezplačen',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Podjetje',
+ 'plan_white_label' => 'Lastno gostovanje (White Labeled)',
+ 'plan_free_self_hosted' => 'Lastno gostovanje (Brezplačno)',
+ 'plan_trial' => 'Poskusno',
+ 'plan_term' => 'Izraz',
+ 'plan_term_monthly' => 'Mesečno',
+ 'plan_term_yearly' => 'Letno',
+ 'plan_term_month' => 'Mesec',
+ 'plan_term_year' => 'Leto',
+ 'plan_price_monthly' => '$:cena/Mesec',
+ 'plan_price_yearly' => '$:cena/Leto',
+ 'updated_plan' => 'Posodobljene nastavitve paketa',
+ 'plan_paid' => 'Obdobje se je pričelo',
+ 'plan_started' => 'Začetek paketa',
+ 'plan_expires' => 'paket poteče',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'Letna članarina v Invoice Ninja Pro paket.',
+ 'pro_plan_month_description' => 'Mesečna članarina v Invoice Ninja Pro paket.',
+ 'enterprise_plan_product' => 'Paket za podjetja',
+ 'enterprise_plan_year_description' => 'Letna članarina v Invoice Ninja Podjetniški paket.',
+ 'enterprise_plan_month_description' => 'Mesečna članarina v Invoice Ninja Podjetniški paket.',
+ 'plan_credit_product' => 'Dobropis',
+ 'plan_credit_description' => 'Dobropis za neuporabljeni čas',
+ 'plan_pending_monthly' => 'Preklom na mesečno na:',
+ 'plan_refunded' => 'Vračilo je bilo izvedeno.',
+
+ 'live_preview' => 'Takojšen predogled',
+ 'page_size' => '
+Velikost strani',
+ 'live_preview_disabled' => 'Zaradi izrane pisave je takojšen predogled onemogočen',
+ 'invoice_number_padding' => 'Mašilo',
+ 'preview' => 'Predogled',
+ 'list_vendors' => 'Seznam prodajalcev',
+ 'add_users_not_supported' => 'Za dodtne uporabnike v vašem računu nadgradi na Podjetniški paket',
+ 'enterprise_plan_features' => 'Podjetniški paket omogoča več uporabnikov in priponk. :link za ogled celotnega seznama funkcij.',
+ 'return_to_app' => 'Nazaj na vrh',
+
+
+ // Payment updates
+ 'refund_payment' => 'Vračilo plačila',
+ 'refund_max' => 'Maksimalno:',
+ 'refund' => 'Vračilo',
+ 'are_you_sure_refund' => 'Vračilo izbranih plačil?',
+ 'status_pending' => 'V teku',
+ 'status_completed' => 'Končano',
+ 'status_failed' => 'Ni uspelo',
+ 'status_partially_refunded' => 'Delno vrnjeno',
+ 'status_partially_refunded_amount' => ':amount vrnjeno',
+ 'status_refunded' => 'Vrnjeno',
+ 'status_voided' => 'Preklicano',
+ 'refunded_payment' => 'Vrnjeno plačilo',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Neznano',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Za neposredno bremenitev je nastavljen drug prehod.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Id stranke',
+ 'secret' => 'Skrivnost',
+ 'public_key' => 'Ključ za objavo',
+ 'plaid_optional' => '(neobvezno)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Ostali ponudniki',
+ 'country_not_supported' => 'Ta država ni podprta.',
+ 'invalid_routing_number' => 'Številka poti ni veljavna.',
+ 'invalid_account_number' => 'Št. računa ni veljavna.',
+ 'account_number_mismatch' => 'Številke na računu se ne ujemajo.',
+ 'missing_account_holder_type' => 'Prosim izberite posameznika ali podjetje.',
+ 'missing_account_holder_name' => 'Prosim vnesi ime lastnika računa',
+ 'routing_number' => 'Št. poti',
+ 'confirm_account_number' => 'Potrdi številko računa',
+ 'individual_account' => 'Individualni račun',
+ 'company_account' => 'Podjetniški račun',
+ 'account_holder_name' => 'Lastnik računa',
+ 'add_account' => 'Ustvari račun',
+ 'payment_methods' => 'Plačilno sredstvo',
+ 'complete_verification' => 'Dokončaj preverjanje',
+ 'verification_amount1' => 'Znesek 1',
+ 'verification_amount2' => 'Znesek 2',
+ 'payment_method_verified' => 'Preverjanje uspešno zaključeno',
+ 'verification_failed' => 'Preverjanje ni uspelo',
+ 'remove_payment_method' => 'Odstrani plačilno sredstvo',
+ 'confirm_remove_payment_method' => 'Ali ste prepričani da želite odstraniti to plačilno sredstvo?',
+ 'remove' => 'Odstrani',
+ 'payment_method_removed' => 'Odstrani plačilno sredstvo.',
+ 'bank_account_verification_help' => 'Na vaš račun smo izvršili dve vplačili z opisom "VERIFICATION". Trajalo bo približno 1-2 delovna dni, da bo transakcija vidna na izpisku. Prosim vnesite zneske spodaj.',
+ 'bank_account_verification_next_steps' => 'Na vaš račun smo izvršili dve vplačili z opisom "VERIFICATION". Trajalo bo približno 1-2 delovna dni, da bo transakcija vidna na izpisku.
+Ko imate zneske, se vrnite na to stran plačilnega sredstva in kliknite na "Complete Verification".',
+ 'unknown_bank' => 'Nepoznana banka',
+ 'ach_verification_delay_help' => 'Račun boste lahko uporabljali šele po končanem preverjanju. Preverjanje običajno traja 1-2 delovnih dni.',
+ 'add_credit_card' => 'Dodaj kreditno kartico',
+ 'payment_method_added' => 'Dodano plačilno sredstvo.',
+ 'use_for_auto_bill' => 'Uporabi za Samodejni Račun',
+ 'used_for_auto_bill' => 'Samodejno plačilno sredstvo',
+ 'payment_method_set_as_default' => 'Nastavi samodejno plačilno sredstvo',
+ 'activity_41' => ':payment_amount plačilo (:payment) ni uspelo',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'Morate :link.',
+ 'stripe_webhook_help_link_text' => 'dodajte ta URL kot končno točko v Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'Pri dodajanju plačilnega sredsgtva je prišlo do napake. Prosim poskusite kasneje.',
+ 'notification_invoice_payment_failed_subject' => 'Payment :invoice ni bilo uspešno',
+ 'notification_invoice_payment_failed' => 'Plačilo stranke: :client računa :invoice ni uspelo. Plačilo je bil označeno kot neuspešno in znesek je bil dodan k strankini bilanci.',
+ 'link_with_plaid' => 'Poveži račun nemudoma z Plaid',
+ 'link_manually' => 'Poveži ročno',
+ 'secured_by_plaid' => 'Zavarovan z Plaid',
+ 'plaid_linked_status' => 'Vaš bančni račun pri :bank',
+ 'add_payment_method' => 'Dodaj plačilno sredstvo',
+ 'account_holder_type' => 'Tip nosilca računa',
+ 'ach_authorization' => 'Pooblaščam :company za uporabo mojega bančnega računa za prihodnja plačila. Razumem, da lahko prekličem pooblastilo kadarkoli z odstranitvijo plačilnega sredstva ali z zahtevo na naslov :email.',
+ 'ach_authorization_required' => 'Potrebno je soglasje ACH transakcij.',
+ 'off' => 'Izklopljeno',
+ 'opt_in' => 'Privzeto izklopljeno',
+ 'opt_out' => 'Privzeto vklopljeno',
+ 'always' => 'Vedno',
+ 'opted_out' => 'Zavrnil',
+ 'opted_in' => 'Pristopil',
+ 'manage_auto_bill' => 'Uredi samodejni račun',
+ 'enabled' => 'Omogočeno',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Omogoči PayPal nakazila čez BrainTree',
+ 'braintree_paypal_disabled_help' => 'PayPal prehod upravlja Paypal plačila',
+ 'braintree_paypal_help' => 'Potrebno je tudi :link.',
+ 'braintree_paypal_help_link_text' => 'povezati PayPay z vašim BrainTree računom ',
+ 'token_billing_braintree_paypal' => 'Shrani plačilne podatke',
+ 'add_paypal_account' => 'Dodaj Paypal račun',
+
+
+ 'no_payment_method_specified' => 'Plačilno sredstvo ni izbrano.',
+ 'chart_type' => 'Tip grafikona',
+ 'format' => 'Oblika',
+ 'import_ofx' => 'Uvozi OFX',
+ 'ofx_file' => 'OFX datoteka',
+ 'ofx_parse_failed' => 'Razčleniti datoteke OFX ni bila uspešna',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Prijavi se z WePay',
+ 'use_another_provider' => 'Uporabi drugega ponudnika',
+ 'company_name' => 'Naziv podjetja',
+ 'wepay_company_name_help' => 'To se bo pojavilo na strankinih izpiskih kreditne kartice.',
+ 'wepay_description_help' => 'Namen tega računa',
+ 'wepay_tos_agree' => 'Strinjam se z :link.',
+ 'wepay_tos_link_text' => 'WePay pogoji storitve',
+ 'resend_confirmation_email' => 'Znova pošlji potrditveno e-pošto',
+ 'manage_account' => 'Nastavitve računa',
+ 'action_required' => 'Potrebno ukrepanje',
+ 'finish_setup' => 'Dokončaj nastavitev',
+ 'created_wepay_confirmation_required' => 'Preverite e-pošto da potrdite vaš e-poštni naslov z WePay.',
+ 'switch_to_wepay' => 'Preklopite na WePay',
+ 'switch' => 'Proklop',
+ 'restore_account_gateway' => 'Obnovi prehod',
+ 'restored_account_gateway' => 'Prehod uspešno obnovljen',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Sprejmi debetne kartice',
+ 'debit_cards' => 'Debetne kartice',
+
+ 'warn_start_date_changed' => 'Naslednji račun bo poslan v začetku naslednjega dne,',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Prvotni začetni datum',
+ 'new_start_date' => 'Novi začetni datum',
+ 'security' => 'Varnost',
+ 'see_whats_new' => 'Kaj je novega v: :version',
+ 'wait_for_upload' => 'Prosim počakajte da se prenos zaključi.',
+ 'upgrade_for_permissions' => 'Omogoči dovoljenja z nadgradnjo na naš poslovni paket.',
+ 'enable_second_tax_rate' => 'Omogoči drugi davek',
+ 'payment_file' => 'Datoteka plačil',
+ 'expense_file' => 'Datoteka stroškov',
+ 'product_file' => 'Datoteka produktov',
+ 'import_products' => 'Uvozi produkte',
+ 'products_will_create' => 'produkti bodo ustvarjeni',
+ 'product_key' => 'Produkt',
+ 'created_products' => 'Uspešno ustvarjenih/posodobljenih :count produktov',
+ 'export_help' => 'Uporabite JSON če nameravate uvoziti podatke v Invoice Ninja.
Datoteka vsebuje stranke izdelke, račune, predračune in plačila.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON Datoteka',
+
+ 'view_dashboard' => 'Prikaži/skrij',
+ 'client_session_expired' => 'Seja je potekla',
+ 'client_session_expired_message' => 'Vaša seja je potekla. Prosimo ponovno kliknite na link v vaši e-pošti.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'Bančni račun',
+ 'auto_bill_payment_method_credit_card' => 'kreditna kartica',
+ 'auto_bill_payment_method_paypal' => 'PayPal račun',
+ 'auto_bill_notification_placeholder' => 'Ta račun bo samodejno bremenili vašo kreditno kartico v datoteki na dan zapadlosti.',
+ 'payment_settings' => 'Nastavitev plačil',
+
+ 'on_send_date' => 'Na datum plačila',
+ 'on_due_date' => 'Na datum zapadlosti',
+ 'auto_bill_ach_date_help' => 'ACH bo vedno izvedel plačilo na dan zapadlosti.',
+ 'warn_change_auto_bill' => 'Zaradi NACHA pravil, lahko spremembe tega računa preprečijo samodejni ACH račun.',
+
+ 'bank_account' => 'Bančni račun',
+ 'payment_processed_through_wepay' => 'ACH plačila bodo izvedena preko WePay.',
+ 'wepay_payment_tos_agree' => 'Strinjam se z WePay :terms in :privacy_policy.',
+ 'privacy_policy' => 'Pravilnik o zasebnosti',
+ 'wepay_payment_tos_agree_required' => 'Morate se strinjati z WePay pogoji storitve in pravilnikom o zasebnosti.',
+ 'ach_email_prompt' => 'Prosim, vnesite vaš e-poštni naslov:',
+ 'verification_pending' => 'Preverjanje v teku',
+
+ 'update_font_cache' => 'Prosimo, da osvežite stran za posodobitev predpomnilnika pisave.',
+ 'more_options' => 'Več možnosti',
+ 'credit_card' => 'Kreditna kartica',
+ 'bank_transfer' => 'Bančno nakazilo',
+ 'no_transaction_reference' => 'Nismo prejeli plačilne transakcijske reference od prehoda.',
+ 'use_bank_on_file' => 'Uporabi bančno datoteko',
+ 'auto_bill_email_message' => 'Ta račun bo samodejno zaračunan z uporabo plačilnega sredstva na dan zapadlosti.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Dodano :date',
+ 'failed_remove_payment_method' => 'Načina plačila ni bilo mogoče odstraniti.',
+ 'gateway_exists' => 'Prehod že obstaja',
+ 'manual_entry' => 'Ročni vnos',
+ 'start_of_week' => 'Prvi dan v tednu',
+
+ // Frequencies
+ 'freq_inactive' => 'Nedejaven',
+ 'freq_daily' => 'Dnevno',
+ 'freq_weekly' => 'Tedensko',
+ 'freq_biweekly' => 'Dvakrat na teden',
+ 'freq_two_weeks' => 'Dva tedna',
+ 'freq_four_weeks' => 'Štiri tedni',
+ 'freq_monthly' => 'Mesečno',
+ 'freq_three_months' => 'Trije meseci',
+ 'freq_four_months' => 'Na štiri mesece',
+ 'freq_six_months' => 'Šest mesecev',
+ 'freq_annually' => 'Letno',
+ 'freq_two_years' => 'Na dve leti',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Potrdi dobropis',
+ 'payment_type_Bank Transfer' => 'Bančno nakazilo',
+ 'payment_type_Cash' => 'Gotovina',
+ 'payment_type_Debit' => 'Bremenitev',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa kartica',
+ 'payment_type_MasterCard' => 'Master kartica',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover kartica',
+ 'payment_type_Diners Card' => 'Diners kartica',
+ 'payment_type_EuroCard' => 'Euro kartica',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Ostale kreditne kartice',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google denarnica',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Računovodstvo in Pravosodje',
+ 'industry_Advertising' => 'Oglaševanje',
+ 'industry_Aerospace' => 'Letalska industrija',
+ 'industry_Agriculture' => 'Kmetijstvo',
+ 'industry_Automotive' => 'Avtomobilizem',
+ 'industry_Banking & Finance' => 'Bančništvo in finance',
+ 'industry_Biotechnology' => 'Biotehnologija',
+ 'industry_Broadcasting' => 'Radiotelevizija',
+ 'industry_Business Services' => 'Poslovne storitve',
+ 'industry_Commodities & Chemicals' => 'Surovine in kemikalije',
+ 'industry_Communications' => 'Komunikacije',
+ 'industry_Computers & Hightech' => 'Računalništvo',
+ 'industry_Defense' => 'Obramba',
+ 'industry_Energy' => 'Energija',
+ 'industry_Entertainment' => 'Zabava',
+ 'industry_Government' => 'Vlada',
+ 'industry_Healthcare & Life Sciences' => 'Zdravstvo',
+ 'industry_Insurance' => 'Zavarovalništvo',
+ 'industry_Manufacturing' => 'Proizvodnja',
+ 'industry_Marketing' => 'Oglaševanje',
+ 'industry_Media' => 'Mediji',
+ 'industry_Nonprofit & Higher Ed' => 'Neprofitne organizacije',
+ 'industry_Pharmaceuticals' => 'Farmacevtski izdelki',
+ 'industry_Professional Services & Consulting' => 'Svetovanje',
+ 'industry_Real Estate' => 'Nepremičnina',
+ 'industry_Restaurant & Catering' => 'Restavracije in Catering',
+ 'industry_Retail & Wholesale' => 'Trgovina na drobno in debelo',
+ 'industry_Sports' => 'Šport',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Potovalne agencije',
+ 'industry_Other' => 'Ostalo',
+ 'industry_Photography' => 'Fotografija',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarktika',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andora',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Avstralija',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrajn',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermudi',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Zelenortski otoki',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Kostarika',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominika',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fidži',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Džibuti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ 'country_Guam' => 'Guam',
+ 'country_Guatemala' => 'Gvatemala',
+ 'country_Guinea' => 'Guinea',
+ 'country_Guyana' => 'Gvajana',
+ 'country_Haiti' => 'Haiti',
+ 'country_Heard Island and McDonald Islands' => 'Heard Island and McDonald Islands',
+ 'country_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Izrael',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamajka',
+ 'country_Japan' => 'Japonska',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuvajt',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luksemburg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldivi',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinik',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritus',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monako',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Portoriko',
+ 'country_Qatar' => 'Katar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_Anguilla' => 'Angvila',
+ '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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapur',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenija',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Otok Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Bražilščina - Portugalska',
+ 'lang_Croatian' => 'Hrvaščina',
+ 'lang_Czech' => 'Češčina',
+ 'lang_Danish' => 'Danščina',
+ 'lang_Dutch' => 'Nizozemščina',
+ 'lang_English' => 'Angleščina',
+ 'lang_French' => 'Francoščina',
+ 'lang_French - Canada' => 'Francoščina - Kanada',
+ 'lang_German' => 'Nemščina',
+ 'lang_Italian' => 'Italijanščina',
+ 'lang_Japanese' => 'Japonščina',
+ 'lang_Lithuanian' => 'Litovščina',
+ 'lang_Norwegian' => 'Norveščina',
+ 'lang_Polish' => 'Poljščina',
+ 'lang_Spanish' => 'Španščina',
+ 'lang_Spanish - Spain' => 'Španščina - Španija',
+ 'lang_Swedish' => 'Švedščina',
+ 'lang_Albanian' => 'Albanščina',
+ 'lang_Greek' => 'Grško',
+ 'lang_English - United Kingdom' => 'Angleščina - Združeno Kraljestvo',
+ 'lang_Slovenian' => 'Slovenščina',
+ 'lang_Finnish' => 'Finščina',
+ 'lang_Romanian' => 'Romunščina',
+ 'lang_Turkish - Turkey' => 'Turščina - Turčija',
+ 'lang_Portuguese - Brazilian' => 'Portugalščina - Brazilija',
+ 'lang_Portuguese - Portugal' => 'Portugalščina - Portugalska',
+ 'lang_Thai' => 'Tajščina',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Računovodstvo in Pravosodje',
+ 'industry_Advertising' => 'Oglaševanje',
+ 'industry_Aerospace' => 'Letalska industrija',
+ 'industry_Agriculture' => 'Kmetijstvo',
+ 'industry_Automotive' => 'Avtomobilizem',
+ 'industry_Banking & Finance' => 'Bančništvo in finance',
+ 'industry_Biotechnology' => 'Biotehnologija',
+ 'industry_Broadcasting' => 'Radiotelevizija',
+ 'industry_Business Services' => 'Poslovne storitve',
+ 'industry_Commodities & Chemicals' => 'Surovine in kemikalije',
+ 'industry_Communications' => 'Komunikacije',
+ 'industry_Computers & Hightech' => 'Računalništvo',
+ 'industry_Defense' => 'Obramba',
+ 'industry_Energy' => 'Energija',
+ 'industry_Entertainment' => 'Zabava',
+ 'industry_Government' => 'Vlada',
+ 'industry_Healthcare & Life Sciences' => 'Zdravstvo',
+ 'industry_Insurance' => 'Zavarovalništvo',
+ 'industry_Manufacturing' => 'Proizvodnja',
+ 'industry_Marketing' => 'Oglaševanje',
+ 'industry_Media' => 'Mediji',
+ 'industry_Nonprofit & Higher Ed' => 'Neprofitne organizacije',
+ 'industry_Pharmaceuticals' => 'Farmacevtski izdelki',
+ 'industry_Professional Services & Consulting' => 'Svetovanje',
+ 'industry_Real Estate' => 'Nepremičnina',
+ 'industry_Retail & Wholesale' => 'Trgovina na drobno in debelo',
+ 'industry_Sports' => 'Šport',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Potovalne agencije',
+ 'industry_Other' => 'Ostalo',
+ 'industry_Photography' =>'Fotografija',
+
+ 'view_client_portal' => 'Poglej portal za stranke',
+ 'view_portal' => 'Poglej portal',
+ 'vendor_contacts' => 'Kontakt prodajalca',
+ 'all' => 'Vse',
+ 'selected' => 'Izbrano',
+ 'category' => 'Kategorija',
+ 'categories' => 'Katergorije',
+ 'new_expense_category' => 'Nova katergorija stroškov',
+ 'edit_category' => 'Uredi kategorijo',
+ 'archive_expense_category' => 'Arhiviraj kategorijo',
+ 'expense_categories' => 'Kategorije stroškov',
+ 'list_expense_categories' => 'Seznam kategorije stroškov',
+ 'updated_expense_category' => 'Kategorija stroškov uspešno nadgrajena',
+ 'created_expense_category' => 'Kategorija stroškov uspešno ustvarjena',
+ 'archived_expense_category' => 'Kategorija stroškov uspešno arhivirana',
+ 'archived_expense_categories' => 'Kategorija stroškov :count uspešno arhivirana',
+ 'restore_expense_category' => 'Obnovi katergorija stroškov',
+ 'restored_expense_category' => 'Kategorija stroškov uspešno obnovljena',
+ 'apply_taxes' => 'Potrdi davke',
+ 'min_to_max_users' => 'od :min do :max uporabnikov',
+ 'max_users_reached' => 'Doseženo je bilo največje število uporabnikov.',
+ 'buy_now_buttons' => 'Gumbi za takojšnji nakup',
+ 'landing_page' => 'Začetna stran',
+ 'payment_type' => 'Način plačila',
+ 'form' => 'Obrazec',
+ 'link' => 'Povezava',
+ 'fields' => 'Polja',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Opomba: stranka in račun bosta ustvarjena tudi, če je transakcija ni zaključena.',
+ 'buy_now_buttons_disabled' => 'Ta funkcija zahteva, da je izdelek ustvarjen in plačilni prehod nastavljen.',
+ 'enable_buy_now_buttons_help' => 'Omogoči podporo za "Kupi Zdaj" gumbe',
+ 'changes_take_effect_immediately' => 'Opomba: spremembe bodo začele veljati takoj',
+ 'wepay_account_description' => 'Plačilni prehod za Invoice Ninja',
+ 'payment_error_code' => 'Pri izvedbi plačila je prišlo do napake [:code]. Prosim poizkusite ponovno.',
+ 'standard_fees_apply' => 'Provizija: 2.9%/1.2% [Kreditna Kartica/Bančno Nakazilo] + $0.30 za uspešen prenos.',
+ 'limit_import_rows' => 'Podatke je treba uvoziti v serijah po :count vrstic ali manj',
+ 'error_title' => 'Nekaj je šlo narobe',
+ 'error_contact_text' => 'Če želite pomoč nam je pišite na :mailaddress',
+ 'no_undo' => 'Opozorilo: Tega ni mogoče razveljaviti.',
+ 'no_contact_selected' => 'Prosim izberite kontakt',
+ 'no_client_selected' => 'Prosim izberite stranko',
+
+ 'gateway_config_error' => 'To lahko pomaga določiti novo geslo ali ustvariti nove API ključe.',
+ 'payment_type_on_file' => ':type na datoteko',
+ 'invoice_for_client' => 'Račun :invoice za :client',
+ 'intent_not_found' => 'Oprostite, nisem prepričan kaj sprašujete.',
+ 'intent_not_supported' => 'Žal mi je, tega ni mogoče narediti.',
+ 'client_not_found' => 'Nisem mogel najti stranke',
+ 'not_allowed' => 'Žal nimate potrebnih dovoljenj',
+ 'bot_emailed_invoice' => 'Vaš račun je bil poslan.',
+ 'bot_emailed_notify_viewed' => 'Ob ogledu pošljemo e-poštno sporočilo.',
+ 'bot_emailed_notify_paid' => 'Ob plačilu pošljemo e-poštno sporočilo.',
+ 'add_product_to_invoice' => 'Dodaj 1 :product',
+ 'not_authorized' => 'Nimate dovoljenja',
+ '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_code' => 'Hvala! Poslali smo vam e-poštno sporočilo z varnostno kodo.',
+ 'bot_welcome' => 'To je to! Vaš račun je preverjen.
',
+ 'email_not_found' => 'Za :email ni bilo mogoče najti razpoložljivega računa',
+ 'invalid_code' => 'Koda ni pravilna',
+ 'security_code_email_subject' => 'Varnostna koda za Invoice Ninja Robot',
+ 'security_code_email_line1' => 'Ta je vaša varnostna koda za Invoice Ninja Robot',
+ 'security_code_email_line2' => 'Opomba: poteče v 10 minutah.',
+ 'bot_help_message' => 'Trenutno podpiram:
• Ustvari\posodobi\pošlji račun
• Seznam produktov
N primer:
Izstavi račun za 2 karti, nastavi zapadlost na naslednji četrtek in 10 odstotkov popusta',
+ 'list_products' => 'Seznam produktov',
+
+ 'include_item_taxes_inline' => 'Prikaži davke v vrstici skupno',
+ 'created_quotes' => 'Uspešno ustvarjenih :count predračun(ov)',
+ 'limited_gateways' => 'Opomba: podpiramo en prehod s kreditno kartico na podjetje.',
+
+ 'warning' => 'Opozorilo',
+ 'self-update' => 'Nadgradnja',
+ 'update_invoiceninja_title' => 'Posodobi Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Preden začnete nadgradnjo ustvarite varnostno kopijo baze podatkov in datotek!',
+ 'update_invoiceninja_available' => 'Nova različica Invoice Ninje je na voljo.',
+ 'update_invoiceninja_unavailable' => 'Nove različice Invoice Ninje ni na voljo.',
+ 'update_invoiceninja_instructions' => 'Prosim namestite novo različico :version z klikom na Nadgradi Zdaj gumba spodaj. Nato boste preusmerjeni na nadzorno ploščo.',
+ 'update_invoiceninja_update_start' => 'Posodobi zdaj',
+ 'update_invoiceninja_download_start' => 'Prenesi :version',
+ 'create_new' => 'Ustvari',
+
+ 'toggle_navigation' => 'Preklop navigacije',
+ 'toggle_history' => 'Preklop zgodovine',
+ 'unassigned' => 'Ne-dodeljen',
+ 'task' => 'Opravilo',
+ 'contact_name' => 'Kontaktno ime',
+ 'city_state_postal' => 'Mesto/Država/Pošta',
+ 'custom_field' => 'Polje po meri',
+ 'account_fields' => 'Polja podjetja',
+ 'facebook_and_twitter' => 'Facebook in Twitter',
+ 'facebook_and_twitter_help' => 'Pomagajte projetku s spremljanjem virov',
+ 'reseller_text' => 'Opomba: White-label licenca je namenjena za osebno uporabo. Če želite aplikacijo prodajati, nam prosim pišite na :email',
+ 'unnamed_client' => 'Neimenovana stranka',
+
+ 'day' => 'Dan',
+ 'week' => 'Teden',
+ 'month' => 'Mesec',
+ 'inactive_logout' => 'Bili ste odjavljeni zaradi neaktivnosti',
+ 'reports' => 'Poročila',
+ 'total_profit' => 'Skupen dobiček',
+ 'total_expenses' => 'Skupni stroški',
+ 'quote_to' => 'Predračun za',
+
+ // Limits
+ 'limit' => 'Omejitev',
+ 'min_limit' => 'Minimalno: :min',
+ 'max_limit' => 'Maksimalno: :max',
+ 'no_limit' => 'Brez omejitev',
+ 'set_limits' => 'Nastavi :gateway_type omejitve',
+ 'enable_min' => 'Omogoči minimalno',
+ 'enable_max' => 'Omogoči maximalno',
+ 'min' => 'Minimalno',
+ 'max' => 'Maksimalno',
+ 'limits_not_met' => 'Račun ne izpolnjuje zahtevanih omjeitev za ta način plačila.',
+
+ 'date_range' => 'Časovno obdobje',
+ 'raw' => 'HTML',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Nadgradnja',
+ 'invoice_fields_help' => 'Povleci in spusti polja za spremembo vrstnega reda in lokacije.',
+ 'new_category' => 'Nova kategorija',
+ 'restore_product' => 'Obnovi produkt',
+ 'blank' => 'Prazno',
+ 'invoice_save_error' => 'Pri shranjevanju računa je prišlo do napake.',
+ 'enable_recurring' => 'Omogoči ponavljanje',
+ 'disable_recurring' => 'Onemogoči ponavljanje',
+ 'text' => 'Niz',
+ 'expense_will_create' => 'strošek bo ustvarjen',
+ 'expenses_will_create' => 'stroški bodo ustvarjeni',
+ 'created_expenses' => 'Število uspešno ustvarjenih stroškov:',
+
+ 'translate_app' => 'Pomagajte nam izboljšati naše prevode z :link',
+ 'expense_category' => 'Kategorija stroškov',
+
+ 'go_ninja_pro' => 'Izberi Ninja Pro!',
+ 'go_enterprise' => 'Izberi enterprise!',
+ 'upgrade_for_features' => 'Nadgradi za več možnosti',
+ 'pay_annually_discount' => 'Letno plačaj za 10 mesecev + 2 brezplačno!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'VašePodjetje.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Prilagodite vsak vidik svojega računa!',
+ 'enterprise_upgrade_feature1' => 'Nastavi pravice za posamezne uporabnike',
+ 'enterprise_upgrade_feature2' => 'Pripni zunanje dokumente k računom in ponudbam',
+ 'much_more' => 'Še veliko več!',
+ 'all_pro_fetaures' => 'In vse ostalo v Pro paketu!',
+
+ 'currency_symbol' => 'Simbol',
+ 'currency_code' => 'Valuta',
+
+ 'buy_license' => 'Kupi licenco',
+ 'apply_license' => 'Potrdi licenco',
+ 'submit' => 'Oddaj',
+ 'white_label_license_key' => 'Licenčni ključ',
+ 'invalid_white_label_license' => '"White Label" licenca ni veljavna',
+ 'created_by' => 'Ustvaril :name',
+ 'modules' => 'Moduli',
+ 'financial_year_start' => 'Prvi mesec v letu',
+ 'authentication' => 'Overovitev',
+ 'checkbox' => 'Potdritveno polje',
+ 'invoice_signature' => 'Podpis',
+ 'show_accept_invoice_terms' => 'Potrditev pogojev računa',
+ 'show_accept_invoice_terms_help' => 'Stranka mora potrditi strinjanje s pogoji na računu.',
+ 'show_accept_quote_terms' => 'Potrditev pogojev predračuna',
+ 'show_accept_quote_terms_help' => 'Stranka mora potrditi strinjanje s pogoji na predračunu.',
+ 'require_invoice_signature' => 'Podpis računa',
+ 'require_invoice_signature_help' => 'Zahteva od stranke, da zagotovi svoj podpis.',
+ 'require_quote_signature' => 'Podpis predračuna',
+ 'require_quote_signature_help' => 'Zahteva od stranke, da zagotovi svoj podpis.',
+ 'i_agree' => 'Strinjam se s pogoji.',
+ 'sign_here' => 'Prosimo, da se podpišete tukaj:',
+ 'authorization' => 'Overovitev',
+ 'signed' => 'Podpisan',
+
+ // BlueVine
+ 'bluevine_promo' => 'Pridobi prilagodljiva poslovna področja kreditiranja in odkup računov z uporabo BlueVine.',
+ 'bluevine_modal_label' => 'Prijavi se z BlueVine',
+ 'bluevine_modal_text' => 'Hitro financiranje za vaše podjetje. Brez papirologije
+- Prožna poslovna področja kreditiranja in odkup računov.
',
+ 'bluevine_create_account' => 'Ustvari račun',
+ 'quote_types' => 'Pridobi predračun za',
+ 'invoice_factoring' => 'Odkup računov',
+ 'line_of_credit' => 'Kreditna linija',
+ 'fico_score' => 'Vaša FICO ocena',
+ 'business_inception' => 'Datum ustanovitve podjetja',
+ 'average_bank_balance' => 'Povprečni saldo bančnega računa',
+ 'annual_revenue' => 'Letni prihodki',
+ 'desired_credit_limit_factoring' => 'Željena omejitev odkupa računa',
+ 'desired_credit_limit_loc' => 'Željena omejitev kreditne linije',
+ 'desired_credit_limit' => 'Željena omejitev kredita',
+ 'bluevine_credit_line_type_required' => 'Izbrati morate vsaj eno',
+ 'bluevine_field_required' => 'To polje je obvezno',
+ 'bluevine_unexpected_error' => 'Zgodila se je nepričakovana napaka.',
+ 'bluevine_no_conditional_offer' => 'Preden pošljemo predračun potrebujemo več informacij. Kliknite spodaj za nadaljevanje.',
+ 'bluevine_invoice_factoring' => 'Odkup računov',
+ 'bluevine_conditional_offer' => 'Pogojno ponudba',
+ 'bluevine_credit_line_amount' => 'Kreditna linija',
+ 'bluevine_advance_rate' => 'Izboljšana stopnja',
+ 'bluevine_weekly_discount_rate' => 'Tedenska stopnja popusta',
+ 'bluevine_minimum_fee_rate' => 'Minimalna provizija',
+ 'bluevine_line_of_credit' => 'Kreditna linija',
+ 'bluevine_interest_rate' => 'Obrestna mera',
+ 'bluevine_weekly_draw_rate' => 'Tedenska mera',
+ 'bluevine_continue' => 'Nadaljuj v BlueVine',
+ 'bluevine_completed' => 'BlueVine prijava končana',
+
+ 'vendor_name' => 'Prodajalec',
+ 'entity_state' => 'Stanje',
+ 'client_created_at' => 'Datum vnosa',
+ 'postmark_error' => 'Pri pošiljanju e-pošte prek Postmark: :link je prišlo do težave.',
+ 'project' => 'Projekt',
+ 'projects' => 'Projekti',
+ 'new_project' => 'Now projekt',
+ 'edit_project' => 'Uredi projekt',
+ 'archive_project' => 'Arhiviraj projekt',
+ 'list_projects' => 'Seznam projektov',
+ 'updated_project' => 'Projekt uspešno posodobljen',
+ 'created_project' => 'Projekt uspešno ustvarjen',
+ 'archived_project' => 'Projekt uspešno arhiviran',
+ 'archived_projects' => 'Število uspešno arhiviranih projektov: :count',
+ 'restore_project' => 'Obnovi projekt',
+ 'restored_project' => 'Projekt uspešno obnovljen',
+ 'delete_project' => 'Izbriši projekt',
+ 'deleted_project' => 'Projekt uspešno odstranjen',
+ 'deleted_projects' => 'Število uspešno odstranjenih projektov: :count',
+ 'delete_expense_category' => 'Odstrani kategorijo',
+ 'deleted_expense_category' => 'Kategorija uspešno odstranjena',
+ 'delete_product' => 'Izbriši produkt',
+ 'deleted_product' => 'Produkt uspešno odstranjen',
+ 'deleted_products' => 'Število uspešno odstranjenih produktov: :count',
+ 'restored_product' => 'Produkt uspešno obnovljen',
+ 'update_credit' => 'Posodobi dobropis',
+ 'updated_credit' => 'Uspešno posodobljen dobropis',
+ 'edit_credit' => 'Uredi dobropis',
+ 'live_preview_help' => 'Prikaži takojšen PDF predogled na strani računa.
Onemogoči za izboljšanje učinkovitosti pri urejanju računov.',
+ 'force_pdfjs_help' => 'Zamenjajte vgrajen PDF pregledovalnik v brskalniku :chrome_link in :firefox_link.
Omogočite to, če je vaš brskalnik PDF datoteke prenaša samodejno. ',
+ 'force_pdfjs' => 'Prepreči prenos',
+ 'redirect_url' => 'Preusmeritveni URL',
+ 'redirect_url_help' => 'Poljubno dodajte naslov za preusmeritev po vnešenem plačilu.',
+ 'save_draft' => 'Shrani osnutek',
+ 'refunded_credit_payment' => 'Vrnitev dobropis plačila',
+ 'keyboard_shortcuts' => 'Bližnjice na tipkovnici',
+ 'toggle_menu' => 'Preklop menija',
+ 'new_...' => 'Novo ...',
+ 'list_...' => 'Seznam ...',
+ 'created_at' => 'Ustvarjen dne',
+ 'contact_us' => 'Kontakt',
+ 'user_guide' => 'Navodila',
+ 'promo_message' => 'Nadgradi pred potekom :expires in pridobi :amount popusta za prvo leto našega Pro ali Podjetniškega paketa.',
+ 'discount_message' => ':amount popusta zapade :expires',
+ 'mark_paid' => 'Označi kot plačano',
+ 'marked_sent_invoice' => 'Račun označen kot poslan',
+ 'marked_sent_invoices' => 'Računi označeni kot poslani',
+ 'invoice_name' => 'Račun',
+ 'product_will_create' => 'produkti bodo ustvarjeni',
+ 'contact_us_response' => 'Hvala za vaše sporočilo! Poskušali se bomo odzvati čim prej.',
+ 'last_7_days' => 'Zadnjih 7 dni',
+ 'last_30_days' => 'Zadnjih 30 dni',
+ 'this_month' => 'Ta mesec',
+ 'last_month' => 'Zadnji mesec',
+ 'last_year' => 'Zadnje leto',
+ 'custom_range' => 'Obseg po meri',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Zahtevaj',
+ 'license_expiring' => 'Opozorilo: Vaša licenca zapade čez: :count days. Za ogled klikni :link ',
+ 'security_confirmation' => 'Vaš e-poštni naslov je potrjen.',
+ 'white_label_expired' => 'Vaša while label licenca je potekla. Prosimo razmislite o podaljšanju za pomoč in podporo našemu projektu.',
+ 'renew_license' => 'Obnovi licenco',
+ 'iphone_app_message' => 'Na voljo je tudi :link',
+ 'iphone_app' => 'iPhone aplikacija',
+ 'android_app' => 'Andorid aplikacija',
+ 'logged_in' => 'Prijavljeni',
+ 'switch_to_primary' => 'Za nadzor članstva preklopi na primarno podjetje (:name).',
+ 'inclusive' => 'Vključeno',
+ 'exclusive' => 'Ekskluzivno',
+ 'postal_city_state' => 'Pošta/Mesto/Država',
+ 'phantomjs_help' => 'Za generiranje PDF datotek v določenih primerih aplikacija uporablja :link_phantom. Namesti :link_docs za lokalno generiranje.',
+ 'phantomjs_local' => 'Uporabi lokalni PhantomJS',
+ 'client_number' => 'Št. stranke',
+ 'client_number_help' => 'Določi predpono ali uprabi lasten vzorec za določitev številk strank.',
+ 'next_client_number' => 'Naslednja št. stranke je :number.',
+ 'generated_numbers' => 'Ustvarjene številke',
+ 'notes_reminder1' => 'Prvi popmnik',
+ 'notes_reminder2' => 'Drugi opomnik',
+ 'notes_reminder3' => 'Tretji opomnik',
+ 'bcc_email' => 'BCC',
+ 'tax_quote' => 'Davek predračuna',
+ 'tax_invoice' => 'Davek računa',
+ 'emailed_invoices' => 'Račun uspešno poslan',
+ 'emailed_quotes' => 'Uspešno poslani predračuni',
+ 'website_url' => 'URL naslov strani',
+ 'domain' => 'Domena',
+ 'domain_help' => 'Uporabljeno v portalu za stranke in pri pošiljanju e-pošte.',
+ 'domain_help_website' => 'Uporabljeno pri pošiljanju e-poštnih sporočil.',
+ 'preview' => 'Predogled',
+ 'import_invoices' => 'Uvozi račune',
+ 'new_report' => 'Novo poročilo',
+ 'edit_report' => 'Uredi poročilo',
+ 'columns' => 'Stolpci',
+ 'filters' => 'Filtri',
+ 'sort_by' => 'Razvrsti po',
+ 'draft' => 'Osnutek',
+ 'unpaid' => 'Neplačano',
+ 'aging' => 'Staranje',
+ 'age' => 'Starost',
+ 'days' => 'Dnevi',
+ 'age_group_0' => '0 - 30 Dni',
+ 'age_group_30' => '30 - 60 Dni',
+ 'age_group_60' => '60 - 90 Dni',
+ 'age_group_90' => '90 - 120 Dni',
+ 'age_group_120' => '120+ dni',
+ 'invoice_details' => 'Detalji računa',
+ 'qty' => 'Količina',
+ 'profit_and_loss' => 'Profit in izguba',
+ 'revenue' => 'Prihodki',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Združi datume v',
+ 'year' => 'Leto',
+ 'view_statement' => 'Ogled izpiska',
+ 'statement' => 'Izpisek',
+ 'statement_date' => 'Datum izpiska',
+ 'mark_active' => 'Označi kot Aktivno',
+ 'send_automatically' => 'Pošlji samodeljno',
+ 'initial_email' => 'Prva e-pošta',
+ 'invoice_not_emailed' => 'Ta račun ni bil poslan.',
+ 'quote_not_emailed' => 'Ta predračun ni bil poslan.',
+ 'sent_by' => 'Poslano od uporabnika :user',
+ 'recipients' => 'Prejemniki',
+ 'save_as_default' => 'Shrani kot privzeto',
+ 'template' => 'Predloga',
+ 'start_of_week_help' => 'Uporaba pri izbiri datuma',
+ 'financial_year_start_help' => 'Uporaba pri izbiri časovnega odbodja',
+ 'reports_help' => 'Shift + Click to sort by multiple columns, Ctrl + Click to clear the grouping.',
+ 'this_year' => 'To leto',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Ustvari. Pošlji. Prejmi Plačilo.',
+ 'login_or_existing' => 'Ali pa se prijavite s povezanim računom',
+ 'sign_up_now' => 'Prijavi se',
+ 'not_a_member_yet' => 'Še nisi član?',
+ 'login_create_an_account' => 'Ustvari račun!',
+ 'client_login' => 'Vpis stranke',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Računi za:',
+ 'email_alias_message' => 'Vsako podjetje potrebuje unikaten e-poštni naslov.
Razmislite o uporabi vzdevka, kot na primer: naslov+oznaka@primer.si',
+ 'full_name' => 'Polno ime',
+ 'month_year' => 'MESEC/LETO',
+ 'valid_thru' => 'Veljaven',
+
+ 'product_fields' => 'Polja produkta',
+ 'custom_product_fields_help' => 'Pri ustvarjanju produkta ali računa dodaj polje in na PDF dokumentu prikaži oznako in vrednost.',
+ 'freq_two_months' => 'Dva meseca',
+ 'freq_yearly' => 'Letno',
+ 'profile' => 'Profil',
+ 'payment_type_help' => 'Privzeto bo izbran ta način ročnega plačila.',
+ 'industry_Construction' => 'Gradnja',
+ 'your_statement' => 'Vaša izjava',
+ 'statement_issued_to' => 'Izjava izdana za',
+ 'statement_to' => 'Izjava za',
+ 'customize_options' => 'Prilagodite možnosti',
+ 'created_payment_term' => 'Plačilni pogoji uspešno ustvarjeni',
+ 'updated_payment_term' => 'Plačilni pogoji uspešno posodobljeni',
+ 'archived_payment_term' => 'Plačilni pogoji uspešno arhivirani',
+ 'resend_invite' => 'Znova pošlji vabilo',
+ 'credit_created_by' => 'Dobropis ustvarjen na podlagi plačila :transaction_reference',
+ 'created_payment_and_credit' => 'Plačilo in dobropis uspešno ustvarjena',
+ 'created_payment_and_credit_emailed_client' => 'Uspešno ustvarjeno plačilo in dobropis in poslano stranki',
+ 'create_project' => 'Ustvari projekt',
+ 'create_vendor' => 'Ustvari prodajalca',
+ 'create_expense_category' => 'Ustvari kategorijo',
+ 'pro_plan_reports' => ':link za omogočiti poročila s prijavo na naš Pro paket',
+ 'mark_ready' => 'Označi kot pripravljeno',
+
+ 'limits' => 'Omejitve',
+ 'fees' => 'Provizije',
+ 'fee' => 'Provizija',
+ 'set_limits_fees' => 'Nastavi omejitve in provizije za prehod :gateway_type',
+ 'fees_tax_help' => 'Omogoči davke postavk za nastavitev provizij davčnih stopenj.',
+ 'fees_sample' => 'Provizija od zneska :amount računa bo :total.',
+ 'discount_sample' => 'Popust od zneska :amount računa bo :total.',
+ 'no_fees' => 'Brez provizij',
+ 'gateway_fees_disclaimer' => 'Opozorilo: Vse države/plačilni prehodi ne dovolijo dodajanje provizij. Preverite lokalno zakonodajo in pogoje uporabe.',
+ 'percent' => 'Odstotek',
+ 'location' => 'Lokacija',
+ 'line_item' => 'Vrstična postavka',
+ 'surcharge' => 'Doplačilo',
+ 'location_first_surcharge' => 'Omogočeno - Prvo doplačilo',
+ 'location_second_surcharge' => 'Omogočeno - Drugo doplačilo',
+ 'location_line_item' => 'Omogočeno - Vrstična postavka',
+ 'online_payment_surcharge' => 'Doplačilo pri spletnem plačilu',
+ 'gateway_fees' => 'Provizije prehodov',
+ 'fees_disabled' => 'Provizije so onemogočene',
+ 'gateway_fees_help' => 'Pri spletnem plačilu samodejno dodaj doplačilo/popust.',
+ 'gateway' => 'Prehod',
+ 'gateway_fee_change_warning' => 'V primeru neplačanih računov z provizijami, jih je treba posodobiti ročno.',
+ 'fees_surcharge_help' => 'Prilagodi doplačilo :link.',
+ 'label_and_taxes' => 'Oznake in davki',
+ 'billable' => 'Plačljivo',
+ 'logo_warning_too_large' => 'Slikovna datoteka je prevelika.',
+ 'logo_warning_fileinfo' => 'Opozorilo: Za gif podporo potrebujete fileinfo PHP dodatek omogočen.',
+ 'logo_warning_invalid' => 'Pri branju slikovne datoteke je prišlo do težave, poskusite z drugačno obliko datoteke.',
+
+ 'error_refresh_page' => 'Prišlo je do napake, prosimo osvežite stran in poskusite znova.',
+ 'data' => 'Podatki',
+ 'imported_settings' => 'Nastavitve uspešno uvožene',
+ 'reset_counter' => 'Ponastavi števec',
+ 'next_reset' => 'Naslednja ponastavitev',
+ 'reset_counter_help' => 'Samodejno ponastavi števec predračunov in računov.',
+ 'auto_bill_failed' => 'Samodejno fakturiranje za račun :invoice_number ni bilo uspešno',
+ 'online_payment_discount' => 'Pupoust na spletno plačilo',
+ 'created_new_company' => 'Novo podjetje uspešno ustvarjeno',
+ 'fees_disabled_for_gateway' => 'Za ta prehod so provizije onemogočene.',
+ 'logout_and_delete' => 'Odjava/Odstani račun',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Za prikaz informacij strani uporabi $pageNumber in $pageCount.',
+ 'credit_note' => 'Dobropis',
+ 'credit_issued_to' => 'Dobropis izdan za',
+ 'credit_to' => 'Dobropis za',
+ 'your_credit' => 'Vaš dobropis',
+ 'credit_number' => 'Št. dobropisa',
+ 'create_credit_note' => 'Ustvari dobropis',
+ 'menu' => 'Meni',
+ 'error_incorrect_gateway_ids' => 'Napaka: Tabela prehoda ima napačne IDs.',
+ 'purge_data' => 'Izprazni podatke',
+ 'delete_data' => 'Izbriši podatke',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Trajno izbri vse podatke v računu, skupaj z računom in nastavitvami.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Prepovedano',
+ 'purge_data_message' => 'Opozorilo: Vaši podatki bodo trajno zbrisani. Razveljavitev kasneje ni mogoča.',
+ 'contact_phone' => 'Kontaktni telefon',
+ 'contact_email' => 'Kontaktna e-pošta',
+ 'reply_to_email' => 'Reply-To',
+ 'reply_to_email_help' => 'Določi naslov, na katerega se lahko odgovori na poslano pošto.',
+ 'bcc_email_help' => 'Pri pošiljanju e-pošte stranki, pošlji zasebno kopijo na ta naslov.',
+ 'import_complete' => 'Vaš vnos je uspešno izveden.',
+ 'confirm_account_to_import' => 'Potrdite svoj račun za uvoz podatkov.',
+ 'import_started' => 'Vaš uvoz se je začel. Ko se konča vam bomo poslali e-pošto.',
+ 'listening' => 'Poslušanje ...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Glasovni ukazi',
+ 'sample_commands' => 'Vzorčni ukazi',
+ 'voice_commands_feedback' => 'Aktivno si prizadevamo izboljšati storitev. Če imate ukaz, ki bi želeli da ga vključimo, nam prosim pišite na :email.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Število uspešno arhiviranih produktov: :count',
+ 'recommend_on' => 'Priporočamo da omogočite to nastavitev.',
+ 'recommend_off' => 'Priporočamo da onemogočite to nastavitev.',
+ 'notes_auto_billed' => 'Samodejno zaračunan',
+ 'surcharge_label' => 'Oznaka doplačila',
+ 'contact_fields' => 'Polja kontakta',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Prikazano :start do :end od :total vpisov',
+ 'credit_total' => 'Dobropis skupaj',
+ 'mark_billable' => 'Označi plačljivo',
+ 'billed' => 'Zaračunano',
+ 'company_variables' => 'Spremenljivke podjetja',
+ 'client_variables' => 'Spremenljivke stranke',
+ 'invoice_variables' => 'Spremenljivke računa',
+ 'navigation_variables' => 'Spremenljivke navigacije',
+ 'custom_variables' => 'Lastne spremenljivke',
+ 'invalid_file' => 'Napačen tip datoteke',
+ 'add_documents_to_invoice' => 'Pripni datoteke',
+ 'mark_expense_paid' => 'Označi plačano',
+ 'white_label_license_error' => 'Ni uspelo potrditi licence, preveri storage/logs/laravel-error.log za več podrobnosti.',
+ 'plan_price' => 'Cene paketa',
+ 'wrong_confirmation' => 'Nepravilna potrditvena koda',
+ 'oauth_taken' => 'Račun je že registriran',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'strošek',
+ 'resume_task' => 'Nadaljuj opravilo',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Predloga predračuna',
+ 'default_design' => 'Osnovna predloga',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Prikazani logotipi katric',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Posodobi kreditno kartico',
+ 'recurring_expenses' => 'Ponavaljajoči stroški',
+ 'recurring_expense' => 'Ponavaljajoči stroški',
+ 'new_recurring_expense' => 'Nov ponavaljajoč strošek',
+ 'edit_recurring_expense' => 'Uredi ponavaljajoč strošek',
+ 'archive_recurring_expense' => 'Arhiviraj ponavaljajoč strošek',
+ 'list_recurring_expense' => 'Seznam ponavaljajočih stroškov',
+ 'updated_recurring_expense' => 'Ponavaljajoč strošek uspešno posodobljen',
+ 'created_recurring_expense' => 'Ponavaljajoč strošek uspešno ustvarjen',
+ 'archived_recurring_expense' => 'Ponavaljajoč strošek uspešno arhiviran',
+ 'archived_recurring_expense' => 'Ponavaljajoč strošek uspešno arhiviran',
+ 'restore_recurring_expense' => 'Obnovi ponavljajoč strošek',
+ 'restored_recurring_expense' => 'Ponavaljajoč strošek uspešno obnovljen',
+ 'delete_recurring_expense' => 'Izbriši ponavljajoč strošek',
+ 'deleted_recurring_expense' => 'Project uspešno odstranjen',
+ 'deleted_recurring_expense' => 'Project uspešno odstranjen',
+ 'view_recurring_expense' => 'Poglej ponavljajoč strošek',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Predpona ponavljajočih',
+ 'options' => 'Možnosti',
+ 'credit_number_help' => 'Nastavite predpono ali uporabite vzorec za dinamično nastavljanje številke za negativne račune.',
+ 'next_credit_number' => 'Naslednja številka dobropisa je :number.',
+ 'padding_help' => 'Število ničel, ki se doda na začetek števila.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run php artisan ninja:update-key
',
+ 'charge_late_fee' => 'Fakturiraj zamudne obresti',
+ 'late_fee_amount' => 'Vrednost zamudnih obresti',
+ 'late_fee_percent' => 'Odstotek za zamudne obresti',
+ 'late_fee_added' => 'Zamudne obresti dodane :date',
+ 'download_invoice' => 'Prenesi račun',
+ 'download_quote' => 'Prenesi predračun',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'Poslana bo e-pošta s predračunom v obliki PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'Poslana bo e-pošta s predračunom v obliki PDF',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'Ameriški dolar',
+ 'currency_british_pound' => 'Britanski funt',
+ 'currency_euro' => 'Evro',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'Prvi davek',
+ 'tax2' => 'Drugi davek',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Stranka',
+ 'customers' => 'Stranke',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Vaš račun za podjetje (:account) je bil uspešno odstranjen.',
+ 'deleted_account_details' => 'Vaš račun (:account) je bil uspešno odstranjen.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Koledar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'Na čem delate?',
+ 'time_tracker' => 'Časovni sledilnik',
+ 'refresh' => 'Osveži',
+ 'filter_sort' => 'Filtriraj/sortiraj',
+ 'no_description' => 'Ni opisa',
+ 'time_tracker_login' => 'Prijava v časovni sledilnik',
+ 'save_or_discard' => 'Shranite ali zavrzite spremembe',
+ 'discard_changes' => 'Zavrzi spremembe',
+ 'tasks_not_enabled' => 'Opravila niso omogočena.',
+ 'started_task' => 'Opravilo uspešno pričeto',
+ 'create_client' => 'Ustvari stranko',
+
+ 'download_desktop_app' => 'Prenesi namizno aplikacijo',
+ 'download_iphone_app' => 'Prenesi iPhone aplikacijo',
+ 'download_android_app' => 'Prenesi Android aplikacijo',
+ 'time_tracker_mobile_help' => 'Dvakrat se dotaknite opravila da ga izberete',
+ 'stopped' => 'Ustavljeno',
+ 'ascending' => 'Naraščajoče',
+ 'descending' => 'Padajoče',
+ 'sort_field' => 'Uredi po',
+ 'sort_direction' => 'Smer',
+ 'discard' => 'Zavrzi',
+ 'time_am' => 'dop.',
+ 'time_pm' => 'pop.',
+ 'time_mins' => 'min',
+ 'time_hr' => 'ura',
+ 'time_hrs' => 'ur',
+ 'clear' => 'Počisti',
+ 'warn_payment_gateway' => 'Opozorilo: sprejemanje spletnih plačil zahteva da dodate prehod, :link da ga dodate. ',
+ 'task_rate' => 'Urna postavka',
+ 'task_rate_help' => 'Privzeto bo to urna postavka za fakturirana opravila.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Dokument',
+ 'invoice_or_expense' => 'Račun/strošek',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Obnovi licenco',
+ 'purchase' => 'Kupi',
+ 'recover' => 'Obnovi',
+ 'apply' => 'Potrdi',
+ 'recover_white_label_header' => 'Obnovi white label licenco',
+ 'apply_white_label_header' => 'Omogoči white label licenco',
+ 'videos' => 'Videji',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Nazaj na račun',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Dvostopenjska avtentikacija',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Nastavitev dvostopenjske avtentikacije',
+ 'two_factor_setup_help' => 'Skenirajte barkodo s aplikacijo kot na primer :link. Spodaj vnesite prvo generirano geslo za enkratno rabo.',
+ 'one_time_password' => 'Geslo za enkratno uporabo',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Dvostopenjska avtentikacija je omogočena',
+ 'add_product' => 'Dodaj produkt',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Fakturiraj produkt',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Vpis stranke',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Privzeto',
+ 'shipping_address' => 'Naslov za dostavo',
+ 'bllling_address' => 'Naslov za račun',
+ 'billing_address1' => 'Ulica (za račun)',
+ 'billing_address2' => 'Hišna št./Stanovanje (za račun)',
+ 'billing_city' => 'Mesto (za račun)',
+ 'billing_state' => 'Regija/pokrajina (za račun)',
+ 'billing_postal_code' => 'Poštna št. (za račun)',
+ 'billing_country' => 'Države (za račun)',
+ 'shipping_address1' => 'Ulica (za dostavo)',
+ 'shipping_address2' => 'Hišna št./stanovanje (za dostavo)',
+ 'shipping_city' => 'Mesto (za dostavo)',
+ 'shipping_state' => 'Regija/pokrajina (za dostavo)',
+ 'shipping_postal_code' => 'Poštna št. (za dostavo)',
+ 'shipping_country' => 'Država (za dostavo)',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Stranka mora vnesti naslov za dostavo',
+ 'ship_to_billing_address' => 'Pošlji na naslov računa',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Predračun ustvarjen',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Prodajalec ustvarjen',
+ 'subscription_event_6' => 'Predračun posodobljen',
+ 'subscription_event_7' => 'Predračun izbrisan',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Prodajalec posodobljen',
+ 'subscription_event_14' => 'Prodajalec izbrisan',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Predračun potrjen',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Ponavljajoči računi',
+ 'module_credit' => 'Dobropisi',
+ 'module_quote' => 'Predračuni in ponudbe',
+ 'module_task' => 'Opravila in projekti',
+ 'module_expense' => 'Stroški in prodajalci',
+ 'reminders' => 'Opomniki',
+ 'send_client_reminders' => 'Pošlji opomnike prek e-pošte',
+ 'can_view_tasks' => 'Opravila so vidna na portalu',
+ 'is_not_sent_reminders' => 'Opomniki niso poslani',
+ '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.',
+ 'please_register' => 'Prosim, registrirajte vaš račun',
+ 'processing_request' => 'Obdelujem zahtevo',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Uredi čase',
+ 'inclusive_taxes_help' => 'Vključi davek v ceni',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Kopiraj naslov za dostavo',
+ 'copy_billing' => 'Kopiraj naslov za račun',
+ 'quote_has_expired' => 'Ta predračun je potekel, prosim kontaktiraje prodajalca.',
+ 'empty_table_footer' => 'Prikazanih 0 od 0 vpisov',
+ 'do_not_trust' => 'Ne zapomni si te naprave',
+ 'trust_for_30_days' => 'Zaupaj za 30 dni',
+ 'trust_forever' => 'Zaupaj za vedno',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Zaostanek',
+ 'ready_to_do' => 'Pripravljeno',
+ 'in_progress' => 'V teku',
+ 'add_status' => 'Dodaj status',
+ 'archive_status' => 'Arhiviraj status',
+ 'new_status' => 'Novo stanje',
+ 'convert_products' => 'Pretvori produkte',
+ 'convert_products_help' => 'Samodejno pretvori cene produktov v valuto stranke',
+ 'improve_client_portal_link' => 'Nastavite pod-domeno za skrajšanje povezave na portal.',
+ 'budgeted_hours' => 'Predvidene ure',
+ 'progress' => 'Napredek',
+ 'view_project' => 'Poglej projekt',
+ 'summary' => 'Povzetek',
+ 'endless_reminder' => 'Periodičen opomin',
+ 'signature_on_invoice_help' => 'Dodajte naslednjo kodo da prikažete podpis stranke na PDF.',
+ 'signature_on_pdf' => 'Prikaži na PDF',
+ 'signature_on_pdf_help' => 'Prikaži podpis stranke na PDF računu/predračunu.',
+ 'expired_white_label' => 'Licenca za white label je potekla.',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'Vrednost je večja kot saldo, dobropis bo ustvarjen s preostankom.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Ponudba',
+ 'proposals' => 'Ponudbe',
+ 'list_proposals' => 'Seznam ponudb',
+ 'new_proposal' => 'Nova ponudba',
+ 'edit_proposal' => 'Uredi ponudbo',
+ 'archive_proposal' => 'Arhiviraj ponudbo',
+ 'delete_proposal' => 'Izbriši ponudbo',
+ 'created_proposal' => 'Ponudba uspešno ustvarjena',
+ 'updated_proposal' => 'Ponudba uspešno posodobljena',
+ 'archived_proposal' => 'Ponudba uspešno arhivirana',
+ 'deleted_proposal' => 'Ponudba uspešno ',
+ 'archived_proposals' => 'Uspešno arhiviranih :count ponudb',
+ 'deleted_proposals' => 'Uspešno arhiviranih :count ponudb',
+ 'restored_proposal' => 'Ponudba uspešno obnovljena',
+ 'restore_proposal' => 'Obnovi ponudbo',
+ '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',
+ 'template' => 'Predloga',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'Zahtevana ponudba ni na voljo',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Ponudba',
+ 'proposal_subject' => 'Nova ponudba :number od :account',
+ 'proposal_message' => 'Za ogled ponudbe vredne :amount, kliknite spodnjo povezavo.',
+ 'emailed_proposal' => 'Ponudba uspešno poslana',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Opozorilo: če odstranite sliko, bo odstranjena iz vseh ponudb.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/sq/auth.php b/resources/lang/sq/auth.php
new file mode 100644
index 000000000000..6ef1a73308a7
--- /dev/null
+++ b/resources/lang/sq/auth.php
@@ -0,0 +1,19 @@
+ 'These credentials do not match our records.',
+ 'throttle' => 'Too many login attempts. Please try again in :seconds seconds.',
+
+];
diff --git a/resources/lang/sq/pagination.php b/resources/lang/sq/pagination.php
new file mode 100644
index 000000000000..0f13123d4a22
--- /dev/null
+++ b/resources/lang/sq/pagination.php
@@ -0,0 +1,19 @@
+ '« Prapa',
+ 'next' => 'Para »',
+
+];
diff --git a/resources/lang/sq/passwords.php b/resources/lang/sq/passwords.php
new file mode 100644
index 000000000000..9528c3faee60
--- /dev/null
+++ b/resources/lang/sq/passwords.php
@@ -0,0 +1,22 @@
+ 'Fjalëkalimet duhet të jenë gjashtë karaktere dhe të përputhen me konfirmimin.',
+ 'reset' => 'Fjalëkalimi u ndryshua!',
+ 'sent' => 'Adresa për ndryshimin e fjalëkalimit u dërgua!',
+ 'token' => 'Ky tallon për ndryshimin e fjalëkalimit është i pasaktë.',
+ 'user' => 'Nuk mund të gjejmë një përdorues me atë adres email-i.',
+
+];
diff --git a/resources/lang/sq/texts.php b/resources/lang/sq/texts.php
new file mode 100755
index 000000000000..12e6753ed3d6
--- /dev/null
+++ b/resources/lang/sq/texts.php
@@ -0,0 +1,2870 @@
+ 'Organizata',
+ 'name' => 'Emri',
+ 'website' => 'Website',
+ 'work_phone' => 'Telefoni',
+ 'address' => 'Adresa',
+ 'address1' => 'Rruga',
+ 'address2' => 'Apartamenti/banesa',
+ 'city' => 'Qyteti',
+ 'state' => 'Shteti/Provinca',
+ 'postal_code' => 'Kodi postar',
+ 'country_id' => 'Shteti',
+ 'contacts' => 'Kontaktet',
+ 'first_name' => 'Emri',
+ 'last_name' => 'Mbiemri',
+ 'phone' => 'Telefoni',
+ 'email' => 'Emaili',
+ 'additional_info' => 'Info shtesë',
+ 'payment_terms' => 'Kushtet e pagesës',
+ 'currency_id' => 'Valuta',
+ 'size_id' => 'Madhësia e kompanisë',
+ 'industry_id' => 'Industria',
+ 'private_notes' => 'Shënime private',
+ 'invoice' => 'Fatura',
+ 'client' => 'Klient',
+ 'invoice_date' => 'Data e faturës',
+ 'due_date' => 'Deri më datë',
+ 'invoice_number' => 'Numri i faturës',
+ 'invoice_number_short' => '# faturës',
+ 'po_number' => 'Numri UB',
+ 'po_number_short' => '#UB',
+ 'frequency_id' => 'Sa shpesh',
+ 'discount' => 'Zbritje',
+ 'taxes' => 'Taksat',
+ 'tax' => 'Taksë',
+ 'item' => 'Njësi',
+ 'description' => 'Përshkrimi',
+ 'unit_cost' => 'Kosto për njësi',
+ 'quantity' => 'Sasia',
+ 'line_total' => 'Totali i linjës',
+ 'subtotal' => 'Nëntotali',
+ 'paid_to_date' => 'Paguar deri më sot',
+ 'balance_due' => 'Bilanci aktual',
+ 'invoice_design_id' => 'Dizajni',
+ 'terms' => 'Kushtet',
+ 'your_invoice' => 'Fatura juaj',
+ 'remove_contact' => 'Fshi kontaktin',
+ 'add_contact' => 'Shto kontaktin',
+ 'create_new_client' => 'Krijo klient të ri',
+ 'edit_client_details' => 'Ndrysho detajet e klientit',
+ 'enable' => 'Aktivizo',
+ 'learn_more' => 'Mëso më shumë',
+ 'manage_rates' => 'Menaxho normat',
+ 'note_to_client' => 'Shënime për klientin',
+ 'invoice_terms' => 'Kushtet e faturës',
+ 'save_as_default_terms' => 'Ruaj si njësi e paracaktuar',
+ 'download_pdf' => 'Shkarko PDF',
+ 'pay_now' => 'Paguaj Tani',
+ 'save_invoice' => 'Ruaj faturën',
+ 'clone_invoice' => 'Clone To Invoice',
+ 'archive_invoice' => 'Arkivo faturën',
+ 'delete_invoice' => 'Fshi faturën',
+ 'email_invoice' => 'Dërgo faturën me email',
+ 'enter_payment' => 'Cakto pagesën',
+ 'tax_rates' => 'Normat e taksave',
+ 'rate' => 'Norma',
+ 'settings' => 'Rregullimet',
+ 'enable_invoice_tax' => 'Mundëso specifikimin e invoice tax',
+ 'enable_line_item_tax' => 'Mundëso specifikimin e line item taxes',
+ 'dashboard' => 'Paneli',
+ 'clients' => 'Klientët',
+ 'invoices' => 'Faturat',
+ 'payments' => 'Pagesat',
+ 'credits' => 'Kredi',
+ 'history' => 'Historia',
+ 'search' => 'Kërko',
+ 'sign_up' => 'Regjistrohu',
+ 'guest' => 'Vizitor',
+ 'company_details' => 'Detajet e kompanisë',
+ 'online_payments' => 'Pagesat Online',
+ 'notifications' => 'Notifications',
+ 'import_export' => 'Import | Export',
+ 'done' => 'Përfundo',
+ 'save' => 'Ruaj',
+ 'create' => 'Krijo',
+ 'upload' => 'Ngarko',
+ 'import' => 'Importo',
+ 'download' => 'Shkarko',
+ 'cancel' => 'Anulo',
+ 'close' => 'Mbyll',
+ 'provide_email' => 'Ju lutem vendosni një adresë email ',
+ 'powered_by' => 'Mundësuar nga',
+ 'no_items' => 'Nuk ka artikuj',
+ 'recurring_invoices' => 'Fatura të përsëritshme',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'në total qarkullim',
+ 'billed_client' => 'klienti i faturuar',
+ 'billed_clients' => 'klientët e faturuar',
+ 'active_client' => 'klient aktiv',
+ 'active_clients' => 'klientë aktiv',
+ 'invoices_past_due' => 'Faturuar deri më',
+ 'upcoming_invoices' => 'Faturat e ardhshme',
+ 'average_invoice' => 'Mesatarja e faturës',
+ 'archive' => 'Arkivo',
+ 'delete' => 'Fshi',
+ 'archive_client' => 'Arkivo Klientin',
+ 'delete_client' => 'Fshi Klientin',
+ 'archive_payment' => 'Arkivo Pagesën',
+ 'delete_payment' => 'Fshi Pagesën',
+ 'archive_credit' => 'Arkivo Kreditin',
+ 'delete_credit' => 'Fshi Kreditin',
+ 'show_archived_deleted' => 'Shfaq të arkivuara/fshira',
+ 'filter' => 'Filtro',
+ 'new_client' => 'Klient i ri',
+ 'new_invoice' => 'Faturë e re',
+ 'new_payment' => 'Enter Payment',
+ 'new_credit' => 'Enter Credit',
+ 'contact' => 'Kontakt',
+ 'date_created' => 'Data e krijimit',
+ 'last_login' => 'Hera e fundit që është lidhur',
+ 'balance' => 'Bilanci',
+ 'action' => 'Vepro',
+ 'status' => 'Statusi',
+ 'invoice_total' => 'Totali i faturës',
+ 'frequency' => 'Frekuenca',
+ 'start_date' => 'Data e fillimit',
+ 'end_date' => 'Data e përfundimit',
+ 'transaction_reference' => 'Referenca e transaksionit',
+ 'method' => 'Metoda',
+ 'payment_amount' => 'Shuma e paguar',
+ 'payment_date' => 'Data e pagesës',
+ 'credit_amount' => 'Shuma e kredituar',
+ 'credit_balance' => 'Bilanci i kreditit',
+ 'credit_date' => 'Data e kreditit',
+ 'empty_table' => 'Nuk ka të dhëna në tabelë',
+ 'select' => 'Selekto',
+ 'edit_client' => 'Edito klientin',
+ 'edit_invoice' => 'Edito Faturën',
+ 'create_invoice' => 'Krijo faturë',
+ 'enter_credit' => 'Vendos Kredi',
+ 'last_logged_in' => 'Hera e fundit që është lidhur',
+ 'details' => 'Detajet',
+ 'standing' => 'Gjendja',
+ 'credit' => 'Kredi',
+ 'activity' => 'Aktiviteti',
+ 'date' => 'Data',
+ 'message' => 'Mesazhi',
+ 'adjustment' => 'Rregullo',
+ 'are_you_sure' => 'A jeni të sigurtë',
+ 'payment_type_id' => 'Lloji i pagesës',
+ 'amount' => 'Shuma',
+ 'work_email' => 'Email',
+ 'language_id' => 'Gjuha',
+ 'timezone_id' => 'Zona kohore',
+ 'date_format_id' => 'Formati i datës',
+ 'datetime_format_id' => 'Formati i datës/kohës',
+ 'users' => 'Përdorues',
+ 'localization' => 'Vendore',
+ 'remove_logo' => 'Largo logon',
+ 'logo_help' => 'Të përkrahura: JPEG, GIF dhe PNG',
+ 'payment_gateway' => 'Kanali i pagesës',
+ 'gateway_id' => 'Kanali',
+ 'email_notifications' => 'Njoftime me email',
+ 'email_sent' => 'Më dërgo email kur fatura dërgohet',
+ 'email_viewed' => 'Më dërgo email kur fature shikohet',
+ 'email_paid' => 'Më dërgo email kur fatura paguhet',
+ 'site_updates' => 'Perditesimet e faqes',
+ 'custom_messages' => 'Mesazh i ndryshëm',
+ 'default_email_footer' => 'Vendosni nënshkrimin e emailit>',
+ 'select_file' => 'Ju lutem zgjedhni një fajll',
+ 'first_row_headers' => 'Përdorni rreshtin e parë si titull',
+ 'column' => 'Kolona',
+ 'sample' => 'Shembull',
+ 'import_to' => 'Importo në',
+ 'client_will_create' => 'klienti do të krijohet',
+ 'clients_will_create' => 'klientët do të krijohen',
+ 'email_settings' => 'Rregullimi i Emailit',
+ 'client_view_styling' => 'Stili i shikimit të klientëve',
+ 'pdf_email_attachment' => 'Attach PDF',
+ 'custom_css' => 'CSS i ndryshushëm',
+ 'import_clients' => 'Importo të dhënat për klient',
+ 'csv_file' => 'Skedar CSV ',
+ 'export_clients' => 'Exporto të dhënat për klient',
+ 'created_client' => 'Klienti është krijuar me sukses',
+ 'created_clients' => 'Me sukses janë krijuar: count klienta',
+ 'updated_settings' => 'Të dhënat janë ndryshuar me sukses',
+ 'removed_logo' => 'Logo është larguar me sukses',
+ 'sent_message' => 'Mesazhi është dërguar me sukses',
+ 'invoice_error' => 'Ju lutem sigurohuni të zgjidhni një klient dhe të përmirësoni çdo gabim',
+ 'limit_clients' => 'Na falni, kjo tejkalon numrin prej :count klientëve',
+ 'payment_error' => 'Ka ndodhur një gabim gjatë procesimit të pagesës tuaj. Ju lutem provoni më vonë',
+ 'registration_required' => 'Ju lutem regjistrohuni që të keni mundësi ta dërgoni faturën me email',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Klienti është perditesuar me sukses',
+ 'created_client' => 'Klienti është krijuar me sukses',
+ 'archived_client' => 'Klienti është arkivuar me sukses',
+ 'archived_clients' => ':count klientë janë arkivuar me sukses',
+ 'deleted_client' => 'Klienti është fshirë me sukses',
+ 'deleted_clients' => ':count klientë janë fshirë me sukses',
+ 'updated_invoice' => 'Fatura është perditesuar me sukses',
+ 'created_invoice' => 'Fatura është krijuar me sukses',
+ 'cloned_invoice' => 'Fatura është klonuar me sukses',
+ 'emailed_invoice' => 'Fatura është dërguar me sukses me email',
+ 'and_created_client' => 'dhe ka krijuar klient',
+ 'archived_invoice' => 'Fatura është arkivuar me sukses',
+ 'archived_invoices' => ':count fatura janë arkivuar me sukes',
+ 'deleted_invoice' => 'Fatura është fshirë me sukses',
+ 'deleted_invoices' => ':count fatura janë fshirë me sukses',
+ 'created_payment' => 'Pagesa është krijuar me sukses',
+ 'created_payments' => ':count pagesa janë krijuar me sukses',
+ 'archived_payment' => 'Pagesa është arkivuar me sukses',
+ 'archived_payments' => ':count pagesa janë arkivuar me sukses',
+ 'deleted_payment' => 'Pagesa është fshirë me sukses',
+ 'deleted_payments' => ':count pagesa janë fshirë me sukses',
+ 'applied_payment' => 'Pagesa është aplikuar me sukses',
+ 'created_credit' => 'Krediti është krijuar me sukses',
+ 'archived_credit' => 'Krediti është arkivuar me sukses',
+ 'archived_credits' => ':count kredite janë arkivuar me sukses',
+ 'deleted_credit' => 'Krediti është fshirë me sukses',
+ 'deleted_credits' => ':kredi janë fshirë me sukses',
+ 'imported_file' => 'Skedari është importuar me sukses',
+ 'updated_vendor' => 'Kompania është perditesuar me sukses',
+ 'created_vendor' => 'Kompania është krijuar me sukses',
+ 'archived_vendor' => 'Kompania është arkivuar me sukses',
+ 'archived_vendors' => ':counts kompani janë arkivuar me sukses',
+ 'deleted_vendor' => 'Kompania është fshirë me sukses',
+ 'deleted_vendors' => ':count kompani janë fshirë me sukses',
+ 'confirmation_subject' => 'Konfirmimi i llogarisë për faturim',
+ 'confirmation_header' => 'Konfirmimi i llogarisë',
+ 'confirmation_message' => 'Ju lutem klikoni linkun më poshtë që të konfirmoni llogarinë tuaj',
+ 'invoice_subject' => 'New invoice :number from :account',
+ 'invoice_message' => 'Për të shikuar faturën tuaj për :amount, klikoni linkun më poshtë',
+ 'payment_subject' => 'Pagesa është pranuar',
+ 'payment_message' => 'Ju faleminderit për pagesën prej :amount',
+ 'email_salutation' => 'I,e nderuar name:',
+ 'email_signature' => 'Përshëndetje',
+ 'email_from' => 'Ekipi i faturimit',
+ 'invoice_link_message' => 'Për të parë faturën klikoni linkun më poshtë:',
+ 'notification_invoice_paid_subject' => 'Fatura :invoice është paguar nga :client',
+ 'notification_invoice_sent_subject' => 'Fatura :invoice i është dërguar :client',
+ 'notification_invoice_viewed_subject' => 'Fatura :invoice është parë nga :client',
+ 'notification_invoice_paid' => 'Pagesa prej :amount është realizuar nga :client për faturën :invoice.',
+ 'notification_invoice_sent' => 'Klienti :client ka dërguar me email faturën :invoice për shumën :amount',
+ 'notification_invoice_viewed' => 'Klienti :client ka shikuar faturën :invoice për shumën :amount',
+ 'reset_password' => 'Ju mund ta resetoni fjalëkalimin e llogarisë tuaj duke klikuar butonin më poshtë:',
+ 'secure_payment' => 'Pagesë e sigurtë',
+ 'card_number' => 'Numri i kartës',
+ 'expiration_month' => 'Muji i skadimit',
+ 'expiration_year' => 'Viti i skadimit',
+ 'cvv' => 'CVV',
+ 'logout' => 'Ç\'identifikohu',
+ 'sign_up_to_save' => 'Regjistrohuni për të ruajtuar punën tuaj',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Kushtet e shërbimit',
+ 'email_taken' => 'Kjo e-mail adresë tashmë është regjistruar',
+ 'working' => 'Duke punuar',
+ 'success' => 'Sukses',
+ 'success_message' => 'Ju jeni regjistruar me sukses! Ju lutem vizitoni linkun në emailin e konfirmimit për të verifikuar email adresën tuaj.',
+ 'erase_data' => 'Your account is not registered, this will permanently erase your data.',
+ 'password' => 'Fjalëkalimi',
+ 'pro_plan_product' => 'Pro Plani',
+ 'pro_plan_success' => 'Ju faleminderit që keni zgjedhur Invoice Ninja Pro plan!
+ Next StepsNjë faturë për pagesë ju është dërguar në email. Për të përdorur të gjitha opsionet e paketës Pro, ju lutem përcjellni udhëzimet në faturë për të realizuar pagesën.
+ Nuk mund ta gjeni faturën? Ju duhet asistencë shtesë? Jemi të lumtur t\'ju ndihmojmë
+ -- na dërgoni email në contact@invoiceninja.com',
+ 'unsaved_changes' => 'Keni ndryshime të pa ruajtura',
+ 'custom_fields' => 'Fushat e ndryshueshme',
+ 'company_fields' => 'Fushat e kompanisë',
+ 'client_fields' => 'Fushat e klientit',
+ 'field_label' => 'Fusha e etiketave',
+ 'field_value' => 'Fusha e vlerës',
+ 'edit' => 'Edito',
+ 'set_name' => 'Vendosni emrin e kompanisë tuaj',
+ 'view_as_recipient' => 'Shikojeni si pranuesi',
+ 'product_library' => 'Libraria e produkteve',
+ 'product' => 'Produkt',
+ 'products' => 'Produktet',
+ 'fill_products' => 'Plotëso-automatikisht produktet',
+ 'fill_products_help' => 'Duke zgjedhur produktin, automatikisht do të plotësohen fill in the description and cost',
+ 'update_products' => 'Perditeso-automatikisht produktet',
+ 'update_products_help' => 'Perditesimi i faturës automatikisht do të perditesoje librarine e produktit',
+ 'create_product' => 'Shto produkt',
+ 'edit_product' => 'Edito produkt',
+ 'archive_product' => 'Arkivo produktin',
+ 'updated_product' => 'Produkti është perditesuar me sukses',
+ 'created_product' => 'Produkti është krijuar me sukses',
+ 'archived_product' => 'Produkti është arkivuar me sukses',
+ 'pro_plan_custom_fields' => ':;link për të aktivizuar fushat e ndyrshueshme duke iu bashkuar Pro Planit',
+ 'advanced_settings' => 'Rregullimi i Avansuar',
+ 'pro_plan_advanced_settings' => '\'link për të aktivizuar rregullimin e avansuar, duke iu bashkuar Pro Planit',
+ 'invoice_design' => 'Dizajni i Faturës',
+ 'specify_colors' => 'Cakto ngjyrën',
+ 'specify_colors_label' => 'Zgjedhni ngjyrën që përdoret në faturë',
+ 'chart_builder' => 'Ndërtuesi i grafikoneve',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Abonuhoni Pro',
+ 'quote' => 'Ofertë',
+ 'quotes' => 'Oferta',
+ 'quote_number' => 'Numri i ofertës',
+ 'quote_number_short' => '# Ofertës',
+ 'quote_date' => 'Data e Ofertës',
+ 'quote_total' => 'Totali i Ofertës',
+ 'your_quote' => 'Oferta juaj',
+ 'total' => 'Totali',
+ 'clone' => 'Klono',
+ 'new_quote' => 'Ofertë e re',
+ 'create_quote' => 'Krijo Ofertë',
+ 'edit_quote' => 'Edito Ofertën',
+ 'archive_quote' => 'Arkivo Ofertën',
+ 'delete_quote' => 'Fshi Ofertën',
+ 'save_quote' => 'Ruaj Ofertën',
+ 'email_quote' => 'Dërgo me email Ofertën',
+ 'clone_quote' => 'Clone To Quote',
+ 'convert_to_invoice' => 'Ktheje Ofertën në Faturë',
+ 'view_invoice' => 'Shiko Faturën',
+ 'view_client' => 'Shiko Klientin',
+ 'view_quote' => 'Shiko Ofertën',
+ 'updated_quote' => 'Oferta është perditesuar me sukses',
+ 'created_quote' => 'Oferta është krijuar me sukses',
+ 'cloned_quote' => 'Oferta është klonuar me sukses',
+ 'emailed_quote' => 'Oferta është dërguar me sukses me email',
+ 'archived_quote' => 'Oferta është arkivuar me sukses',
+ 'archived_quotes' => ': count oferta janë arkivuar me sukses',
+ 'deleted_quote' => 'Oferta është fshirë me sukses',
+ 'deleted_quotes' => ':count oferta janë fshirë me sukses',
+ 'converted_to_invoice' => 'Oferta është konvertua rme sukses në Faturë',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'Për të shikuar ofertën për :amount, klikoni linkun më poshtë.',
+ 'quote_link_message' => 'Për të shikuar ofertat për klientin tuaj klikoni linkun më poshtë:',
+ 'notification_quote_sent_subject' => 'Oferta :invoice i është dërguar :client',
+ 'notification_quote_viewed_subject' => 'Oferta :invoice është shikuar nga :client',
+ 'notification_quote_sent' => 'Klientit :client i është dërguar me email Oferta :invoice për shumën :amount',
+ 'notification_quote_viewed' => 'Klienti :client ka shikuar Ofertën :invoice për shumën :amount.',
+ 'session_expired' => 'Seanca juaj ka skaduar.',
+ 'invoice_fields' => 'Fushat e faturës',
+ 'invoice_options' => 'Opsionet e faturës',
+ 'hide_paid_to_date' => 'Fshihe Paguar deri më tash',
+ 'hide_paid_to_date_help' => 'Shfaqni "Paguar deri më tash" në faturat tuaja pasi të jetë pranuar pagesa.',
+ 'charge_taxes' => 'Vendos taksat',
+ 'user_management' => 'Menaxhimi i përdoruesve',
+ 'add_user' => 'Shto Përdorues',
+ 'send_invite' => 'Send Invitation',
+ 'sent_invite' => 'Ftesa është dërguar me sukses',
+ 'updated_user' => 'Përdoruesi është perditesuar me sukses',
+ 'invitation_message' => 'Ju jeni ftuar nga :invitor.',
+ 'register_to_add_user' => 'Ju lutem regjistrohuni të shtoni përdoruesit',
+ 'user_state' => 'Shteti',
+ 'edit_user' => 'Edito përdoruesin',
+ 'delete_user' => 'Fshi Përdoruesin',
+ 'active' => 'Aktiv',
+ 'pending' => 'Në pritje',
+ 'deleted_user' => 'Përdoruesi është fshirë me sukses',
+ 'confirm_email_invoice' => 'A jeni i sigurtë që dëshironi ta dërgoni faturën me email?',
+ 'confirm_email_quote' => 'A jeni i sigurtë që dëshironi ta dërgoni me email këtë ofertë?',
+ 'confirm_recurring_email_invoice' => 'A jeni i sigurtë që kjo faturë të dërgohet me email?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Fshi llogarinë',
+ 'cancel_account_message' => 'Warning: This will permanently delete your account, there is no undo.',
+ 'go_back' => 'Shkoni prapa',
+ 'data_visualizations' => 'Vizualizimi i të dhënave',
+ 'sample_data' => 'Të dhëna shembull janë shfaqur',
+ 'hide' => 'Fshih',
+ 'new_version_available' => 'Versioni i ri i :releases_link është në dispozicion. Ju jeni duke përdorur versionin :user_version, versioni më i ri është :latest_version',
+ 'invoice_settings' => 'Rregullimi i Faturës',
+ 'invoice_number_prefix' => 'Prefixi i numrit të faturës',
+ 'invoice_number_counter' => 'Numruesi i numrit të faturës',
+ 'quote_number_prefix' => 'Prefixi i numrit të ofertës',
+ 'quote_number_counter' => 'Numruesi i numrit të ofertës',
+ 'share_invoice_counter' => 'Shpërndaje numruesin e faturave',
+ 'invoice_issued_to' => 'Fatura i është lëshuar',
+ 'invalid_counter' => 'Për të shmangur konfliktin e mundshëm ju lutem vendosni prefiks tek fatura dhe oferta',
+ 'mark_sent' => 'Shenja është dërguar ',
+ 'gateway_help_1' => ':link për t\'u regjistruar në Authorize.net',
+ 'gateway_help_2' => ':link për tu regjistuar në Authorize.net',
+ 'gateway_help_17' => ':link për të marrë të dhënat tuaja nga PayPal.',
+ 'gateway_help_27' => ':link për tu regjistruar në 2Checkout.com. Për t\'u siguaruar që pagesat realizohen vendosni :complete_link si URL ridrejtues tek Account>SIte Management në portalin e 2Checkout.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'Më shumë dizajne',
+ 'more_designs_title' => 'Dizajne shtesë të faturave',
+ 'more_designs_cloud_header' => 'Bleni verisionin Pro për më shumë dizajne të faturave',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Blej',
+ 'bought_designs' => 'Janë shtuar me sukses dizajne tjera të faturave',
+ 'sent' => 'Sent',
+ 'vat_number' => 'Numri i TVSH',
+ 'timesheets' => 'Oraret',
+ 'payment_title' => 'Vendosni Adresën tuaj të faturimit dhe informacionet e Kredit Kartës',
+ 'payment_cvv' => '* Ky është numri 3-4 shifror në pjesën e prapme të kartës tuaj',
+ 'payment_footer1' => '*Adresa e faturimit duhet të jetë e njejtë me atë në kredit kartë',
+ 'payment_footer2' => '* Ju lutem klikoni "PAGUAJ TASH" vetëm një herë - transaksioni mund të zgjat rreth 1 minutë për t\'u procesuar.',
+ 'id_number' => 'ID numri',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'Është aktivizuar me sukses licensa White Label',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Rikthe',
+ 'restore_invoice' => 'Rikthe Faturën',
+ 'restore_quote' => 'Rikthe Ofertën',
+ 'restore_client' => 'Rikthe Klientin',
+ 'restore_credit' => 'Rikthe Kreditin',
+ 'restore_payment' => 'Rikthe Pagesën',
+ 'restored_invoice' => 'Fatura është rikthyer me sukses',
+ 'restored_quote' => 'Oferta është rikthyer me sukses',
+ 'restored_client' => 'Klienti është rikthyer me sukses',
+ 'restored_payment' => 'Pagesa është rikthyer me sukses',
+ 'restored_credit' => 'Krediti është rikhyer me sukses',
+ 'reason_for_canceling' => 'Na ndihmoni ta përmirësojmë faqen tonë duke na treguar pse po largoheni.',
+ 'discount_percent' => 'Përqindje',
+ 'discount_amount' => 'Shuma',
+ 'invoice_history' => 'Historia e Faturës',
+ 'quote_history' => 'Historia e Ofertës',
+ 'current_version' => 'Versioni aktual',
+ 'select_version' => 'Zgjidh versionin',
+ 'view_history' => 'Shiko Historinë',
+ 'edit_payment' => 'Edito Pagesën',
+ 'updated_payment' => 'Pagesa është perditesuar me sukses',
+ 'deleted' => 'E fshirë',
+ 'restore_user' => 'Rikthe Përdoruesin',
+ 'restored_user' => 'Përdoruesi është rikthyer me sukses',
+ 'show_deleted_users' => 'Shfaq përdoruesit e fshirë',
+ 'email_templates' => 'Shabllonet e email',
+ 'invoice_email' => 'Emaili i Faturës',
+ 'payment_email' => 'Emaili i Pagesës',
+ 'quote_email' => 'Emaili i Ofertës',
+ 'reset_all' => 'Reseto të gjitha',
+ 'approve' => 'Aprovo',
+ 'token_billing_type_id' => 'Faturimi me Token',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'E ç\'aktivizuar',
+ 'token_billing_2' => 'Kutia e hyrjes është shfaqur por nuk është zgjedhur',
+ 'token_billing_3' => 'Kutia e daljes është shfaqur por nuk është zgjedhur',
+ 'token_billing_4' => 'Gjithmonë',
+ 'token_billing_checkbox' => 'Ruaj të dhënat e kartës së kreditit',
+ 'view_in_gateway' => 'Shiko në :gateway',
+ 'use_card_on_file' => 'Përdorni kartelën nga fajlli',
+ 'edit_payment_details' => 'Edito detajet e pagesës',
+ 'token_billing' => 'Ruaj detajet e pagesës',
+ 'token_billing_secure' => 'Të dhënat janë ruajtur sigurtë nga :link',
+ 'support' => 'Përkrahja',
+ 'contact_information' => 'Informata e kontaktit',
+ '256_encryption' => 'Enkriptim 256-Bit',
+ 'amount_due' => 'Shuma borxh',
+ 'billing_address' => 'Adresa e faturimit',
+ 'billing_method' => 'Metoda e faturimit',
+ 'order_overview' => 'Rishiqimi i porosisë',
+ 'match_address' => '*Adresa e faturimit duhet të jetë e njejtë me atë në kredit kartë',
+ 'click_once' => '* Ju lutem klikoni "PAGUAJ TASH" vetëm një herë - transaksioni mund të zgjat rreth 1 minutë për t\'u procesuar.',
+ 'invoice_footer' => 'Footer i Faturës',
+ 'save_as_default_footer' => 'Ruaj si footer i paracaktuar',
+ 'token_management' => 'Menaxhimi i Tokenit',
+ 'tokens' => 'Tokenët',
+ 'add_token' => 'Shto Token',
+ 'show_deleted_tokens' => 'Shfaq tokenët e fshirë',
+ 'deleted_token' => 'Tokeni është fshirë me sukses',
+ 'created_token' => 'Tokeni është fshirë me sukses',
+ 'updated_token' => 'Tokeni është perditesuar me sukses',
+ 'edit_token' => 'Edito Tokenin',
+ 'delete_token' => 'Fshi Tokenin',
+ 'token' => 'Token',
+ 'add_gateway' => 'Shto kanalin e pagesës',
+ 'delete_gateway' => 'Fshi kanalin e pagesës',
+ 'edit_gateway' => 'Edito kanalin e pagesës',
+ 'updated_gateway' => 'Kanali i pagesës është perditesuar me sukses',
+ 'created_gateway' => 'Kanali i pagesës është krijuar me sukses',
+ 'deleted_gateway' => 'Kanali i pagesës është fshirë me sukses',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Kredit Kartë',
+ 'change_password' => 'Ndrysho fjalëkalimin',
+ 'current_password' => 'Fjalëkalimi aktual',
+ 'new_password' => 'Fjalëkalim i ri',
+ 'confirm_password' => 'Konfimo fjalëkalimin',
+ 'password_error_incorrect' => 'Fjalëkalimi aktual nuk është i saktë.',
+ 'password_error_invalid' => 'Fjalëkalimi i ri nuk është i saktë.',
+ 'updated_password' => 'Fjalëkalimi është perditesuar me sukses',
+ 'api_tokens' => 'API Tokenët',
+ 'users_and_tokens' => 'Përdoruesit & Tokenët',
+ 'account_login' => 'Hyrja me llogari',
+ 'recover_password' => 'Riktheni fjalëkalimin tuaj',
+ 'forgot_password' => 'Keni harruar fjalëkalimin?',
+ 'email_address' => 'Email adresa',
+ 'lets_go' => 'Të shkojmë',
+ 'password_recovery' => 'Rikthimi i fjalëkalimit',
+ 'send_email' => 'Send Email',
+ 'set_password' => 'Vendos Fjalëkalim',
+ 'converted' => 'Konvertuar',
+ 'email_approved' => 'Më dërgo email kur oferta është aprovuar',
+ 'notification_quote_approved_subject' => 'Oferta :invoice është aprovuar nga :client',
+ 'notification_quote_approved' => 'Klienti :client ka aprovuar Ofertën :invoice për :amount.',
+ 'resend_confirmation' => 'Ridërgo emailin e konfirmimit',
+ 'confirmation_resent' => 'Emaili i konfirmimit është ridërguar.',
+ 'gateway_help_42' => ':link për tu regjistruar në BitPay.
Shënim: përdorni Legacy API Key, jo API token.',
+ 'payment_type_credit_card' => 'Kredit Kartë',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Baza e njohurive',
+ 'partial' => 'E pjesshme/depozite',
+ 'partial_remaining' => ':partial nga :balance',
+ 'more_fields' => 'Më shumë fusha',
+ 'less_fields' => 'Më pak fusha',
+ 'client_name' => 'Client Name',
+ 'pdf_settings' => 'Rregullimet e PDF',
+ 'product_settings' => 'Rregullimi i Produktit',
+ 'auto_wrap' => 'Mbushja automatike',
+ 'duplicate_post' => 'Vërejtje: faqja e kaluar është aplikuar dy herë. Aplikimi i dytë është injoruar.',
+ 'view_documentation' => 'Shiko Dokumentimin',
+ 'app_title' => 'Faturim Online Open-Source',
+ 'app_description' => 'Invoice Ninja është zgjidhje falas, open-cource për faturim të konsumatorëve. Me Invoice Ninjca, ju lehtësisht mund të krijoni dhe dërgoni fatura të bukura nga cilado pajisje e cila ka qasje në internet. Klientët tuaj mund të printojnë faturat, t\'i shkarkojnë si PDF fajlla apo edhe ti paguajn online brenda sistemit.',
+ 'rows' => 'rreshta',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Subdomain',
+ 'provide_name_or_email' => 'Please provide a name or email',
+ 'charts_and_reports' => 'Grafikone & Raporte',
+ 'chart' => 'Grafik',
+ 'report' => 'Raport',
+ 'group_by' => 'Grupo sipas',
+ 'paid' => 'Paguar',
+ 'enable_report' => 'Raport',
+ 'enable_chart' => 'Grafik',
+ 'totals' => 'Totale',
+ 'run' => 'Fillo',
+ 'export' => 'Export',
+ 'documentation' => 'Dokumentim',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Përsëristshme',
+ 'last_invoice_sent' => 'Fatura e fundit është dërguar më :date',
+ 'processed_updates' => 'Perditesimi ka përfunduar me sukses',
+ 'tasks' => 'Detyrat',
+ 'new_task' => 'Detyrë e re',
+ 'start_time' => 'Koha e fillimit',
+ 'created_task' => 'Detyra u krijua me sukses',
+ 'updated_task' => 'Detyra është perditesuar me sukses',
+ 'edit_task' => 'Edito Detyrën',
+ 'archive_task' => 'Arkivo Detyrën',
+ 'restore_task' => 'Rikthe Detyrën',
+ 'delete_task' => 'Fshi Detyrën',
+ 'stop_task' => 'Ndalo Detyrën',
+ 'time' => 'Koha',
+ 'start' => 'Fillo',
+ 'stop' => 'Ndalo',
+ 'now' => 'Tash',
+ 'timer' => 'Kohëmatësi',
+ 'manual' => 'Manual',
+ 'date_and_time' => 'Data & Koha',
+ 'second' => 'Second',
+ 'seconds' => 'Seconds',
+ 'minute' => 'Minute',
+ 'minutes' => 'Minutes',
+ 'hour' => 'Hour',
+ 'hours' => 'Hours',
+ 'task_details' => 'Detajet e Detyrës',
+ 'duration' => 'Kohëzgjatja',
+ 'end_time' => 'Koha e përfundimit',
+ 'end' => 'Përfundim',
+ 'invoiced' => 'Faturuar',
+ 'logged' => 'Regjistruar',
+ 'running' => 'Duke ndodhur',
+ 'task_error_multiple_clients' => 'Detyrat nuk mund t\'i caktohen klientëve të ndryshëm',
+ 'task_error_running' => 'Ju lutem ndaloni së pari detyrën',
+ 'task_error_invoiced' => 'Detyra tashmë është faturuar',
+ 'restored_task' => 'Detyra është rikthyer me sukses',
+ 'archived_task' => 'Detyra është arkivuar me sukses',
+ 'archived_tasks' => ':count detyra janë arkivuar me sukses',
+ 'deleted_task' => 'Detyra është fshirë me sukses',
+ 'deleted_tasks' => ':count detyra janë fshirë me sukses',
+ 'create_task' => 'Krijo Detyrë',
+ 'stopped_task' => 'Detyra është ndaluar me sukses',
+ 'invoice_task' => 'Faturo detyrën',
+ 'invoice_labels' => 'Etiketat e Faturës',
+ 'prefix' => 'Prefiks',
+ 'counter' => 'Numrues',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link për t\'u regjistruar në Dwolla',
+ 'partial_value' => 'Duhet të jetë më shumë se zero dhe më pak se totali',
+ 'more_actions' => 'Më shumë veprime',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Ndërro versionin tash!',
+ 'pro_plan_feature1' => 'Krijo Klient të pa kufizuar',
+ 'pro_plan_feature2' => 'Qasje në 10 dizajne të bukura të faturave',
+ 'pro_plan_feature3' => 'URL e ndryshme - "BrendiJuaj.invoiceNinja.com"',
+ 'pro_plan_feature4' => 'Largoni "Krijuar nga Invoice Ninja"',
+ 'pro_plan_feature5' => 'Qasje nga shumë-përdorues & Përcjellje e aktiviteteve',
+ 'pro_plan_feature6' => 'Krijoni Oferta & Pro-Faktura',
+ 'pro_plan_feature7' => 'Fusha të ndryshueshme të faturës',
+ 'pro_plan_feature8' => 'Opsion për të dërguar Faturën PDF me email tek klienti',
+ 'resume' => 'Vazhdo',
+ 'break_duration' => 'Pushim',
+ 'edit_details' => 'Edito Detajet',
+ 'work' => 'Punë',
+ 'timezone_unset' => 'Ju lutem :link për të rregulluar zonën tuaj kohore',
+ 'click_here' => 'kliko këtu',
+ 'email_receipt' => 'Dërgo fletëpagesën tek klienti me email',
+ 'created_payment_emailed_client' => 'Pagesa ështv krijuar me sukses dhe i është dërguar me email klientit',
+ 'add_company' => 'Shto Kompani',
+ 'untitled' => 'Pa Titull',
+ 'new_company' => 'Kompani e re',
+ 'associated_accounts' => 'Llogaritë janë lidhur me sukses',
+ 'unlinked_account' => 'Llogaritë jan zgjidhur me sukses',
+ 'login' => 'Identifikohu',
+ 'or' => 'ose',
+ 'email_error' => 'Ka pasur problem me dërgimin e emailit',
+ 'confirm_recurring_timing' => 'Shënim: emailat dërgohen në fillim të orës.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Sets the default invoice due date',
+ 'unlink_account' => 'Zgjidh Llogarinë',
+ 'unlink' => 'Zgjidh',
+ 'show_address' => 'Shfaq Adresën',
+ 'show_address_help' => 'Kërkohet që klienti të vendos adresën e faturimit',
+ 'update_address' => 'Perditeso Adresën',
+ 'update_address_help' => 'Perditeso adresën e klientit me detajet e ofruara',
+ 'times' => 'Kohët',
+ 'set_now' => 'Caktoje për tash',
+ 'dark_mode' => 'Modeli i errët',
+ 'dark_mode_help' => 'Use a dark background for the sidebars',
+ 'add_to_invoice' => 'Shto në faturën :invoice',
+ 'create_new_invoice' => 'Krijo faturë të re',
+ 'task_errors' => 'Ju lutem korrigjoni kohët e vendosura mbi njëra-tjetrën',
+ 'from' => 'Nga',
+ 'to' => 'Për',
+ 'font_size' => 'Madhësia e fontit',
+ 'primary_color' => 'Ngjyra kryesore',
+ 'secondary_color' => 'Ngjyra dytësore',
+ 'customize_design' => 'Ndrysho dizajnin',
+ 'content' => 'Përmbajta',
+ 'styles' => 'Stilet',
+ 'defaults' => 'Të paracaktuara',
+ 'margins' => 'Margjinat',
+ 'header' => 'Header',
+ 'footer' => 'Footer',
+ 'custom' => 'E ndryshueshme',
+ 'invoice_to' => 'Fatura për',
+ 'invoice_no' => 'Fatura Nr.',
+ 'quote_no' => 'Nr. Ofertes',
+ 'recent_payments' => 'Pagesat e fundit',
+ 'outstanding' => 'Pa paguar1',
+ 'manage_companies' => 'Menaxho kompanitë',
+ 'total_revenue' => 'Totali i Qarkullimit',
+ 'current_user' => 'Përdoruesi i tashëm',
+ 'new_recurring_invoice' => 'Faturë e re e përsëritshme',
+ 'recurring_invoice' => 'Faturë e përsëritshme',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Është herët të krijoni faturën e përsëritshme, është e caktuar për :date',
+ 'created_by_invoice' => 'Krijuar nga :invoice',
+ 'primary_user' => 'Përdoruesi kryesor',
+ 'help' => 'Ndihmë',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Deri më datë',
+ 'quote_due_date' => 'Valide deri',
+ 'valid_until' => 'Valide deri',
+ 'reset_terms' => 'Reseto kushtet',
+ 'reset_footer' => 'Reseto footer',
+ 'invoice_sent' => ':count invoice sent',
+ 'invoices_sent' => ':count invoices sent',
+ 'status_draft' => 'Draft',
+ 'status_sent' => 'Dërguar',
+ 'status_viewed' => 'Shikuar',
+ 'status_partial' => 'Pjesërisht',
+ 'status_paid' => 'Paguar',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Shfaq line item taxes inline',
+ 'iframe_url' => 'Webfaqja',
+ 'iframe_url_help1' => 'Kopjoni këtë kod në një faqe në webfaqen tuaj.',
+ 'iframe_url_help2' => 'Ju mund ta testoni këtëopsion duke klikuar "Shikoni si pranues" në faturë.',
+ 'auto_bill' => 'Faturo Automatikisht',
+ 'military_time' => 'Koha 24 orëshe',
+ 'last_sent' => 'E dërguar për herë të fundit',
+ 'reminder_emails' => 'Email përkujtues',
+ 'templates_and_reminders' => 'Shabllonet & Përkujtueset',
+ 'subject' => 'Tema',
+ 'body' => 'Përmbajtja',
+ 'first_reminder' => 'Përkujtuesi i parë',
+ 'second_reminder' => 'Përkujtuesi i dytë',
+ 'third_reminder' => 'Përkujtuesi i tretë',
+ 'num_days_reminder' => 'Ditë pas afatit të pagesës',
+ 'reminder_subject' => 'Përkujtues: Fatura :invoice nga :account',
+ 'reset' => 'Reseto',
+ 'invoice_not_found' => 'Fatura e kërkuar nuk është në dispozicion',
+ 'referral_program' => 'Programi i referimit',
+ 'referral_code' => 'URL për referi',
+ 'last_sent_on' => 'E dërguar për herë të fundit :date',
+ 'page_expire' => 'Kjo faqe do të mbyllet shpejtë. :click_here për të vazhduar punën',
+ 'upcoming_quotes' => 'Ofertat e ardhshme',
+ 'expired_quotes' => 'Ofertat e skaduara',
+ 'sign_up_using' => 'Regjistrohu duke përdorur',
+ 'invalid_credentials' => 'Këto kredenciale nuk përputhen me të dhënat tona',
+ 'show_all_options' => 'Shfaq të gjitha opsionet',
+ 'user_details' => 'Detajet e përdoruesit',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Ç\'aktivizo',
+ 'invoice_quote_number' => 'Numrat e faturave dhe ofertave',
+ 'invoice_charges' => 'Invoice Surcharges',
+ 'notification_invoice_bounced' => 'Nuk kishim mundësi të dërgonim faturën :invoice tek :contact',
+ 'notification_invoice_bounced_subject' => 'Nuk mund të dërgohet fatura :invoice',
+ 'notification_quote_bounced' => 'Nuk kishim mundësi të dërgonim Ofertën :invoice tek :contact',
+ 'notification_quote_bounced_subject' => 'Nuk mund të dërgohet Oferta :invoice',
+ 'custom_invoice_link' => 'Linku për faturë',
+ 'total_invoiced' => 'Total të faturuara',
+ 'open_balance' => 'Bilanci i hapur',
+ 'verify_email' => 'Ju lutem vizitoni linkun në email adresën tuaj për të verifikuar adresën tuaj.',
+ 'basic_settings' => 'Rregullimet bazike',
+ 'pro' => 'Pro',
+ 'gateways' => 'Kanalet e Pagesave',
+ 'next_send_on' => 'Dërgo të ardhshmën :date',
+ 'no_longer_running' => 'Kjo faturë nuk është programuar të vazhdojë',
+ 'general_settings' => 'Rregullimet Gjenerale',
+ 'customize' => 'Ndrysho',
+ 'oneclick_login_help' => 'Lidheni një llogari të identifikoheni pa fjalëkalim',
+ 'referral_code_help' => 'Fitoni para duke shpërndarë aplikacionin tonë online',
+ 'enable_with_stripe' => 'Aktivizo | Kërkohet Stripe',
+ 'tax_settings' => 'Rregullimet e Taksave',
+ 'create_tax_rate' => 'Vendos normën e taksës',
+ 'updated_tax_rate' => 'Norma e taksës është perditesuar me sukses',
+ 'created_tax_rate' => 'Norma e taksës është krijuar me sukses',
+ 'edit_tax_rate' => 'Edito normën e taksës',
+ 'archive_tax_rate' => 'Arkivo normën e taksës',
+ 'archived_tax_rate' => 'Norma e taksës është arkivuar me sukses',
+ 'default_tax_rate_id' => 'Norma e paracaktuar e taksave',
+ 'tax_rate' => 'Norma e taksave',
+ 'recurring_hour' => 'Ora e përsëritjes',
+ 'pattern' => 'Modeli',
+ 'pattern_help_title' => 'Ndihmë për modelin',
+ 'pattern_help_1' => 'Create custom numbers by specifying a pattern',
+ 'pattern_help_2' => 'Variablat në dispozicion:',
+ 'pattern_help_3' => 'Për shembull, :example do të konvertohet në :value',
+ 'see_options' => 'Shiko opsionet',
+ 'invoice_counter' => 'Numruesi i faturave',
+ 'quote_counter' => 'Numruesi i ofertave',
+ 'type' => 'Shkruaj',
+ 'activity_1' => ':user ka krijuar klientin :client',
+ 'activity_2' => ':user ka arkivuar klientin :client',
+ 'activity_3' => ':user ka fshirë klientin :client',
+ 'activity_4' => ':user ka krijuar faturën :invoice',
+ 'activity_5' => ':user ka perditesuar faturën :invoice',
+ 'activity_6' => ':user ka dërguar me email faturën :invoice tek :contact',
+ 'activity_7' => ':contact ka shikuar faturën :invoice',
+ 'activity_8' => ':user ka arkivuar faturën :invoice',
+ 'activity_9' => ':user ka fshirë faturën :invoice',
+ 'activity_10' => ':contact ka vendosur pagesën :payment për :invoice',
+ 'activity_11' => ':user ka perditesuar pagesën :payment',
+ 'activity_12' => ':user ka arkivuar pagesën :payment',
+ 'activity_13' => ':user ka fshirë pagesën :payment',
+ 'activity_14' => ':user ka shtuar :credit kredit',
+ 'activity_15' => ':user ka perditesuar :credit kredit',
+ 'activity_16' => ':user ka arkivuar :credit kredit',
+ 'activity_17' => ':user ka fshirë:credit kredit',
+ 'activity_18' => ':user ka krijuar ofertë :quote',
+ 'activity_19' => ':user ka perditesuar ofertën :quote',
+ 'activity_20' => ':user ka dërguar me email ofertën :quote tek :contact',
+ 'activity_21' => ':contact ka shikuar ofertën :quote',
+ 'activity_22' => ':user ka arkivuar ofertën :quote',
+ 'activity_23' => ':user ka fshirë ofertën :quote',
+ 'activity_24' => ':user ka rikthyer ofertën :quote',
+ 'activity_25' => ':user ka rikthyer faturën :invoice',
+ 'activity_26' => ':user ka rikthyer klientin :client',
+ 'activity_27' => ':user ka rikthyer pagesën :payment',
+ 'activity_28' => ':user ka rikthyer :credit kredit',
+ 'activity_29' => ':contact ka aprovuar ofertën :quote',
+ 'activity_30' => ':user created vendor :vendor',
+ 'activity_31' => ':user archived vendor :vendor',
+ 'activity_32' => ':user deleted vendor :vendor',
+ 'activity_33' => ':user restored vendor :vendor',
+ 'activity_34' => ':user ka krijuar shpeznim :expense',
+ 'activity_35' => ':user archived expense :expense',
+ 'activity_36' => ':user deleted expense :expense',
+ 'activity_37' => ':user restored expense :expense',
+ 'activity_42' => ':user created task :task',
+ 'activity_43' => ':user updated task :task',
+ 'activity_44' => ':user archived task :task',
+ 'activity_45' => ':user deleted task :task',
+ 'activity_46' => ':user restored task :task',
+ 'activity_47' => ':user updated expense :expense',
+ 'payment' => 'Pagesa',
+ 'system' => 'Sistem',
+ 'signature' => 'Nënshkrimi i emailit',
+ 'default_messages' => 'Mesazh i paracaktuar',
+ 'quote_terms' => 'Kushtet e Ofertave',
+ 'default_quote_terms' => 'Kushtet e paracaktuara të ofertave',
+ 'default_invoice_terms' => 'Kushtet e paracektuara të faturës',
+ 'default_invoice_footer' => 'Footer i paracaktuar i faturës',
+ 'quote_footer' => 'Footer i Ofertës',
+ 'free' => 'Falas',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Apliko kreditin',
+ 'system_settings' => 'Rregullimi i sistemit',
+ 'archive_token' => 'Arkivo tokenin',
+ 'archived_token' => 'Tokeni është arkivuar me sukses',
+ 'archive_user' => 'Arkivo përdoruesin',
+ 'archived_user' => 'Përdoruesi është arkivuar me sukses',
+ 'archive_account_gateway' => 'Arkivo kanalin e pagesës',
+ 'archived_account_gateway' => 'Kanali i pagesës është arkivuar me sukses',
+ 'archive_recurring_invoice' => 'Arkivo faturën e përsëritshme',
+ 'archived_recurring_invoice' => 'Faturat e përsëritshme janë arkivuar me sukses',
+ 'delete_recurring_invoice' => 'Fshi faturat e përsëritshme',
+ 'deleted_recurring_invoice' => 'Faturat e përsëritshme janë fshirë me sukses',
+ 'restore_recurring_invoice' => 'Rikthe faturat e përsëritshme',
+ 'restored_recurring_invoice' => 'Faturat e përsëritshme janë rikthyer me sukses',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Arkivuar',
+ 'untitled_account' => 'Kompani e paemruar',
+ 'before' => 'Përpara',
+ 'after' => 'Pas',
+ 'reset_terms_help' => 'Reseto në kushtet e llogarisë',
+ 'reset_footer_help' => 'Reseto footer për llogarinë e paracaktuar',
+ 'export_data' => 'Eksporto të dhënat',
+ 'user' => 'Përdorues',
+ 'country' => 'Shteti',
+ 'include' => 'Përfshi',
+ 'logo_too_large' => 'Logo juaj është :size për performansë më të mirë në PDF ju sugjerojmë që të ngarkoni fajll më të vogël se 200KB',
+ 'import_freshbooks' => 'Importo nga FreshBooks',
+ 'import_data' => 'Importo të dhëna',
+ 'source' => 'Burimi',
+ 'csv' => 'CSV',
+ 'client_file' => 'Fajlli i klientit',
+ 'invoice_file' => 'Fajlli i faturës',
+ 'task_file' => 'Fajlli i detyrave',
+ 'no_mapper' => 'Nuk ka vendodhje valide për fajll',
+ 'invalid_csv_header' => 'CSV Header invalid',
+ 'client_portal' => 'Portali i klientit',
+ 'admin' => 'Admin',
+ 'disabled' => 'E ç\'aktivizuar',
+ 'show_archived_users' => 'Shfaq përdoruesit e arkivuar',
+ 'notes' => 'Shënime',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => 'Faturat do të krijohen',
+ 'failed_to_import' => 'Të dhënat në vazhdim nuk kanë mundur të importohen, ato ose tashmë ekzistojnë ose ju mungojnë fushat e kërkuara.',
+ 'publishable_key' => 'Çelësi i publikueshëm',
+ 'secret_key' => 'Çelësi sekret',
+ 'missing_publishable_key' => 'Shfaqni çelësin e publikueshëm të Stripe për proces të përmirësuar të pagesës',
+ 'email_design' => 'Dizajno emailin',
+ 'due_by' => 'Deri më :date',
+ 'enable_email_markup' => 'Aktivizo Markimin',
+ 'enable_email_markup_help' => 'Bëjeni më të lehtë për klientët tuaj të realizojnë pagesat duke vendosur schema.org markimin në emailat tuaj.',
+ 'template_help_title' => 'Ndihma për shabllonë',
+ 'template_help_1' => 'Variablat në dispozicion:',
+ 'email_design_id' => 'Stili i emailit',
+ 'email_design_help' => 'Make your emails look more professional with HTML layouts.',
+ 'plain' => 'E thjeshtë',
+ 'light' => 'E lehtë',
+ 'dark' => 'E mbylltë',
+ 'industry_help' => 'Përdoret për të realizuar krahasime ndaj kompanive mesatere me numër puntorësh të ngjashëm.',
+ 'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Caktoni një prefiks ose ndonjë shabllon të caktuar për të dinamizuar numrin e faturave.',
+ 'quote_number_help' => 'Caktoni një prefiks ose ndonjë shabllon të caktuar për të dinamizuar numrin e ofertave.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'Shtoni një etiketë dhe vlerë tek detajet e kompanisë në PDF.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Shto një fushë kur të krijoni faturë dhe përfshijeni këtë kosto në nëntotalin e faturës.',
+ 'token_expired' => 'Validimi i tokenit ka skaduar. Ju lutem provoni përsëri.',
+ 'invoice_link' => 'Linku i faturës',
+ 'button_confirmation_message' => 'Kliko për të konfirmuar email adresën tuaj.',
+ 'confirm' => 'Konfirmo',
+ 'email_preferences' => 'Preferencat e emailit',
+ 'created_invoices' => 'Janë krijuar me sukses :count fatura',
+ 'next_invoice_number' => 'Numri i ardhshëm i faturës është :number.',
+ 'next_quote_number' => 'Numri i ardhshëm i ofertës është :number.',
+ 'days_before' => 'days before the',
+ 'days_after' => 'days after the',
+ 'field_due_date' => 'deri më datë',
+ 'field_invoice_date' => 'Data e faturës',
+ 'schedule' => 'Orari',
+ 'email_designs' => 'Dizajnet e emailit',
+ 'assigned_when_sent' => 'E caktuar kur është dërguar',
+ 'white_label_purchase_link' => 'Bleni licensën white label',
+ 'expense' => 'Shpenzimet',
+ 'expenses' => 'Shpenzimet',
+ 'new_expense' => 'Enter Expense',
+ 'enter_expense' => 'Shto shpenzim',
+ 'vendors' => 'Kompanitë',
+ 'new_vendor' => 'Kompani e re',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Kompani',
+ 'edit_vendor' => 'Edito kompaninë',
+ 'archive_vendor' => 'Arkivo kompaninë',
+ 'delete_vendor' => 'Fshi kompaninë',
+ 'view_vendor' => 'Shiko kompaninë',
+ 'deleted_expense' => 'Shpenzimi është fshirë me sukses',
+ 'archived_expense' => 'Shpenzimi është arkivuar me sukses',
+ 'deleted_expenses' => 'Shpenzimet janë fshirë me sukses',
+ 'archived_expenses' => 'Shpenzimet janë arkivuar me sukses',
+ 'expense_amount' => 'Shuma e shpenzimeve',
+ 'expense_balance' => 'Bilanci i shpenzimeve',
+ 'expense_date' => 'Data e shpenzimit',
+ 'expense_should_be_invoiced' => 'A duhet ky shpenzim të faturohet?',
+ 'public_notes' => 'Shënime publike',
+ 'invoice_amount' => 'Shuma e faturës',
+ 'exchange_rate' => 'Kursi i këmbimit',
+ 'yes' => 'Po',
+ 'no' => 'Jo',
+ 'should_be_invoiced' => 'Duhet të faturohet',
+ 'view_expense' => 'Shiko # :expense të shpenzimit',
+ 'edit_expense' => 'Edito shpenzimi',
+ 'archive_expense' => 'Arkivo shpenzimin',
+ 'delete_expense' => 'Fshi shpenzimin',
+ 'view_expense_num' => 'Shpenzimi # :expense',
+ 'updated_expense' => 'Shpenzimi është perditesuar me sukses',
+ 'created_expense' => 'Shpenzimi është krijuar me sukses',
+ 'enter_expense' => 'Shto shpenzim',
+ 'view' => 'Shiko',
+ 'restore_expense' => 'Rikthe shpenzimet',
+ 'invoice_expense' => 'Faturë shpenzimesh',
+ 'expense_error_multiple_clients' => 'Shpenzimet nuk mund t\'i kalojnë klientit tjetër',
+ 'expense_error_invoiced' => 'Shpenzimet tashmë janë fatururar',
+ 'convert_currency' => 'Konverto valutën',
+ 'num_days' => 'Number of Days',
+ 'create_payment_term' => 'Krijo kushtet e pagesës',
+ 'edit_payment_terms' => 'Edito kushtet e pagesës',
+ 'edit_payment_term' => 'Edito kushtet e pagesës',
+ 'archive_payment_term' => 'Arkivo kushtet e pagesës',
+ 'recurring_due_dates' => 'Datat e përsëritjes së faturës',
+ 'recurring_due_date_help' => 'Automatikisht caktohet data e pagesës së faturës.
+ Faturat e cilklit mujor ose vjetor do të caktohen për muajin e ardhshëm. Faturat e caktuara në datat 29 dhe 30 që nuk i kanë këto ditë do të caktohen në ditën e fundit të atij muaji.
+ Faturat e krijuara në ciklin javor të caktuara për pagesë në ditë të caktuara do të caktohen nga java e ardhshme.
+ Për shembull:
+
+ - Sot është data 15, data e pagesës është 1 e muajit. Data e pagesës së ardhshme do të jetë data 1 e muajit të ardhshëm.
+ - TSot është data 15, data e pagesës është dita e fundit e muajit. Data për pagesë do të jetë dita e fundit e këtij muaji.
+
+ - Sot është data 15, data e pagesës është 15 të muajit. Data për pagesë do të jetë 15 e muajit tjetër.
+
+ - Sot është e premte, data e pagesës është e premte e parë. Data e pagesës do të jetë e premtja tjetër, jo sot..
+
+
',
+ 'due' => 'Deri më',
+ 'next_due_on' => 'Deri:',
+ 'use_client_terms' => 'Përdor kushtet e klientit',
+ 'day_of_month' => ':ordinal ditë e muajit',
+ 'last_day_of_month' => 'Dita e fundit e muajit',
+ 'day_of_week_after' => ':ordinal :day pas',
+ 'sunday' => 'E diel',
+ 'monday' => 'E hënë',
+ 'tuesday' => 'E marte',
+ 'wednesday' => 'E mërkure',
+ 'thursday' => 'E enjëte',
+ 'friday' => 'E premte',
+ 'saturday' => 'E shtune',
+ 'header_font_id' => 'Fonti i Header',
+ 'body_font_id' => 'Fonti i tekstit',
+ 'color_font_help' => 'Shënim: Ngjyra themelore dhe fontet përdoren gjithashtu në portalin e klientit dhe dizajnin e emailit',
+ 'live_preview' => 'Live parashikim',
+ 'invalid_mail_config' => 'Nuk është dërguar emaili, ju lutem shikoni rregullimet a janë korrekte.',
+ 'invoice_message_button' => 'Për të shikura faturën tuaj për :amount, klikoni butonin më poshtë.',
+ 'quote_message_button' => 'Për të shikuar ofertën për :amount, klikoni butonin më poshtë.',
+ 'payment_message_button' => 'Ju faleminderit për pagesën prej :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Kredit Kartat & Bankat',
+ 'add_bank_account' => 'Shto llogarinë bankare',
+ 'setup_account' => 'Rregullo llogarinë',
+ 'import_expenses' => 'Importo shpenzimet',
+ 'bank_id' => 'Banka',
+ 'integration_type' => 'Lloji i ntegrimit',
+ 'updated_bank_account' => 'Llogaria bankare është perditesuar me sukses',
+ 'edit_bank_account' => 'Edito llogarinë bankare',
+ 'archive_bank_account' => 'Arkivo llogarinë bankare',
+ 'archived_bank_account' => 'Llogaria bankare është azhurnuar me sukses',
+ 'created_bank_account' => 'Llogaria bankare është krijuar me sukses',
+ 'validate_bank_account' => 'Valido llogarinë bankare',
+ 'bank_password_help' => 'Shënime: fjalëkalimi juaj transmetohet sigurtë dhe asnjëherë nuk ruhet në sererët tonë.',
+ 'bank_password_warning' => 'Vërejtje: fjalëkalimi juaj duhet të transmetohet si tekst i thjeshtë, konsideroni të aktivizoni HTTPS.',
+ 'username' => 'identifikimi',
+ 'account_number' => 'Numri i llogarisë',
+ 'account_name' => 'Emri i llogarisë',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Aprovuar',
+ 'quote_settings' => 'Rregullimi i Ofertës',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatikisht konverto ofertën në faturë kur pranohet nga klienti.',
+ 'validate' => 'Valido',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Janë krijuar me sukses :count_vendors jinoabu dhe :count_expenses shpenzime',
+ 'iframe_url_help3' => 'Shënim: Nëse planifikoni të pranoni detajet e kredit kartave ne ju rekomandojmë të aktivizoni HTTPS në webfaqen tuaj.',
+ 'expense_error_multiple_currencies' => 'Shpenzimet nuk mund të kenë valuta të ndryshme.',
+ 'expense_error_mismatch_currencies' => 'Valuta e klientit nuk përputhet me valutën e shpenzimeve.',
+ 'trello_roadmap' => 'Trello Rrugëtimi',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'Faqja e parë',
+ 'all_pages' => 'Të gjitha faqet',
+ 'last_page' => 'Faqja e fundit',
+ 'all_pages_header' => 'Shfaqe Header',
+ 'all_pages_footer' => 'Shfaqe Footer',
+ 'invoice_currency' => 'Valuta e Faturës',
+ 'enable_https' => 'Ju rekomandojmë të përdorni HTTPS për të pranuar detajet e kredit kartave online.',
+ 'quote_issued_to' => 'Oferta i është lëshuar',
+ 'show_currency_code' => 'Kodi i valutës',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Llogaria juaj do të pranojë një periudhë testuese dyjavore të Pro planit që ofrojmë.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Filloni periudhën provuese',
+ 'trial_success' => 'Periudha provuese dyjavore për pro planin është aktivizuar me sukses',
+ 'overdue' => 'E vonuar',
+
+
+ 'white_label_text' => 'Bli nje license vjecare me cmimin $:price per te hequr logot dhe tekstet e Invoice Ninja nga fatura dhe portali i klientit. ',
+ 'user_email_footer' => 'Për të ndryshuar lajmërimet tuaja me email vizitoni :link',
+ 'reset_password_footer' => 'Nëse nuk keni kërkuar resetimin e fjalëkalimit ju lutem na shkruani në emailin tonë : :email',
+ 'limit_users' => 'Na falni, kjo tejkalon limitin e :limit përdoruesve',
+ 'more_designs_self_host_header' => 'Merrni 6 dizajne tjera të faturave për vetëm $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link për $:price për të ndryshuar stilin dhe përkrahur projektin tonë.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link për të larguar Invoice Ninja logo duke iu bashkangjitur Pro Planit',
+ 'pro_plan_remove_logo_link' => 'Kliko këtu',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'Viewed',
+ 'email_error_inactive_client' => 'Emailat nuk mund t\'i dërgohen klientëve joaktiv',
+ 'email_error_inactive_contact' => 'Emailat nuk mund t\'i dërgohen kontakteve joaktiv',
+ 'email_error_inactive_invoice' => 'Emailat nuk mund t\'i dërgohen faturave joaktive',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Ju lutem regjistroni llogarinë tuaj të dërgoni email',
+ 'email_error_user_unconfirmed' => 'Ju lutem konfirmoni llogarinë tuaj të dërgoni email',
+ 'email_error_invalid_contact_email' => 'Emaili i kontaktit i pa saktë',
+
+ 'navigation' => 'Navigimi',
+ 'list_invoices' => 'Listo faturat',
+ 'list_clients' => 'Listo klientët',
+ 'list_quotes' => 'Listo ofertat',
+ 'list_tasks' => 'Listo detyrat',
+ 'list_expenses' => 'Listo shpenzimet',
+ 'list_recurring_invoices' => 'Listo Faturat e përsëritshme',
+ 'list_payments' => 'Listo pagesat',
+ 'list_credits' => 'Listo kreditë',
+ 'tax_name' => 'Emri i taksës',
+ 'report_settings' => 'Rregullimi i raporteve',
+ 'search_hotkey' => 'shkurtesa është /',
+
+ 'new_user' => 'Përdorues i ri',
+ 'new_product' => 'Produkt i ri',
+ 'new_tax_rate' => 'Normë e re e taksave',
+ 'invoiced_amount' => 'Shuma e faturuar',
+ 'invoice_item_fields' => '
+Fushat e njësive në faturë',
+ 'custom_invoice_item_fields_help' => 'Shtoni një fushë ë kur të krijoni faturë dhe etiketa me vlerë të shfaqen në PDF.',
+ 'recurring_invoice_number' => 'Recurring Number',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Password Protect Invoices',
+ 'enable_portal_password_help' => 'Ju mundëson të vendosni fjalëkalim për secilin kontakt. Nëse vendoset fjalëkalimi, kontakti duhet të vendos fjalëkalimin para se t\'i sheh faturat.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'Nëse nuk caktoni fjalëkalim, do të krijohet një dhe do t\'ju dërgohet me faturën e parë.',
+
+ 'expired' => 'Skaduar',
+ 'invalid_card_number' => 'Numri i kredit kartës nuk është valid.',
+ 'invalid_expiry' => 'Data e skadimit nuk është valide.',
+ 'invalid_cvv' => 'CVV nuk është valid.',
+ 'cost' => 'Kosto',
+ 'create_invoice_for_sample' => 'Shënim: krijoni faturën e parë këtu për ta parashikuar.',
+
+ // User Permissions
+ 'owner' => 'Pronari',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Lejon përdoruesit të menaxhoj përdoruesit, të ndryshojë rregullimet dhe të modifikojë të gjitha shënimet.',
+ 'user_create_all' => 'Krijo klient, fatura, etj.',
+ 'user_view_all' => 'Shiko të gjithë klientët, faturat, etj.',
+ 'user_edit_all' => 'Edito të gjithë klientët, faturat, etj.',
+ 'gateway_help_20' => ':link për tu regjistruar për Sage Pay.',
+ 'gateway_help_21' => ':link për t\'u regjistruar në Sage Pay.',
+ 'partial_due' => 'Paguar pjesërisht',
+ 'restore_vendor' => 'Rikthe kompaninë',
+ 'restored_vendor' => 'Kompania u rikthye me sukses',
+ 'restored_expense' => 'Shpenzimet janë rikthyer me sukses',
+ 'permissions' => 'Lejet',
+ 'create_all_help' => 'Lejo përdoruesit të krijojnë dhe modifikojnë shënime',
+ 'view_all_help' => 'Lejo përdoruesit të shohin të dhëna që nuk i kanë krijuar',
+ 'edit_all_help' => 'Lejo përdoruesit të modifikojnë shënimet që nuk i kanë krijuar',
+ 'view_payment' => 'Shiko pagesën',
+
+ 'january' => 'Janar',
+ 'february' => 'Shkurt',
+ 'march' => 'Mars',
+ 'april' => 'Prill',
+ 'may' => 'Maj',
+ 'june' => 'Qershor',
+ 'july' => 'Korrik',
+ 'august' => 'Gusht',
+ 'september' => 'Shtator',
+ 'october' => 'Tetor',
+ 'november' => 'Nëntor',
+ 'december' => 'Dhjetor',
+
+ // Documents
+ 'documents_header' => 'Dokumente:',
+ 'email_documents_header' => 'Dokumente:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Dokumentet e lidhura',
+ 'invoice_embed_documents_help' => 'Vendos fotografinë në faturë.',
+ 'document_email_attachment' => 'Bashkangjit dokumente',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Shkarko dokumentet (:size)',
+ 'documents_from_expenses' => 'Nga shpenzimet:',
+ 'dropzone_default_message' => 'Gjuaj fajllin ose kliko për ta ngarkuar',
+ 'dropzone_fallback_message' => 'Shfletuesi juaj nuk përkrahë gjuajtjen e fajllave.',
+ 'dropzone_fallback_text' => 'Ju lutem përdorni formën e mëposhtme për të ngarkuar fajllat tuaj.',
+ 'dropzone_file_too_big' => 'Fajlli është shumë i madh ({{filesize}}MiB). Madhësia maksimale: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'Nuk mund të ngarkoni këtë lloj fajlli',
+ 'dropzone_response_error' => 'Serveri është përgjigjur me kodin {{statusCode}}.',
+ 'dropzone_cancel_upload' => 'Anulo ngarkimin',
+ 'dropzone_cancel_upload_confirmation' => 'A jeni i sigurt që doni të anuloni këtë ngarkim?',
+ 'dropzone_remove_file' => 'Largo fajllin',
+ 'documents' => 'Dokumente',
+ 'document_date' => 'Data e dokumentit',
+ 'document_size' => 'Madhësia',
+
+ 'enable_client_portal' => 'Portali i klientit',
+ 'enable_client_portal_help' => 'Shfaq/fsheh portalin e klientit.',
+ 'enable_client_portal_dashboard' => 'Paneli',
+ 'enable_client_portal_dashboard_help' => 'Shfaq/fsheh panelin në portalin e klientit.',
+
+ // Plans
+ 'account_management' => 'Menaxhimi i llogarive',
+ 'plan_status' => 'Statusi i planit',
+
+ 'plan_upgrade' => 'Ndërro versionin',
+ 'plan_change' => 'Ndrysho planin',
+ 'pending_change_to' => 'Ndryshohet në',
+ 'plan_changes_to' => ':plan më :datë',
+ 'plan_term_changes_to' => ':plan (:term) më :date',
+ 'cancel_plan_change' => 'Anulo ndryshimin',
+ 'plan' => 'Plan',
+ 'expires' => 'Skadon',
+ 'renews' => 'Ripërtrij',
+ 'plan_expired' => ':plan Plani ka skaduar',
+ 'trial_expired' => ':plan Plani provues ka mbaruar',
+ 'never' => 'Asnjëherë',
+ 'plan_free' => 'Falas',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'I hostuar vetë (White labaled)',
+ 'plan_free_self_hosted' => 'I vetë-hostuar (Falas)',
+ 'plan_trial' => 'Provues',
+ 'plan_term' => 'Kusht',
+ 'plan_term_monthly' => 'Mujor',
+ 'plan_term_yearly' => 'Vjetor',
+ 'plan_term_month' => 'Muaj',
+ 'plan_term_year' => 'Vit',
+ 'plan_price_monthly' => '$:price/Muaj',
+ 'plan_price_yearly' => '$:price/Vit',
+ 'updated_plan' => 'Plani i softuerit është perditesuar',
+ 'plan_paid' => 'Kushtet kanë filluar',
+ 'plan_started' => 'Plani ka filluar',
+ 'plan_expires' => 'Plani skadon',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'Regjistrimi një vjeçar në Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'Regjistrim një mujor në Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Plani Enterprise',
+ 'enterprise_plan_year_description' => 'Regjistrimi një vjeçar në Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'Regjistrimi një mujor në Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Kredit',
+ 'plan_credit_description' => 'Kredit për kohën e pa përdorur',
+ 'plan_pending_monthly' => 'Do të kaloj në baza mujore më :date',
+ 'plan_refunded' => 'Rimbursimi është aprovuar.',
+
+ 'live_preview' => 'Live parashikim',
+ 'page_size' => 'Madhësia e faqes',
+ 'live_preview_disabled' => 'Parashikimi live është çaktivizuar për të përkrahur fontin e selektuar',
+ 'invoice_number_padding' => 'Mbushje',
+ 'preview' => 'Parashiko',
+ 'list_vendors' => 'Listo kompanitë',
+ 'add_users_not_supported' => 'Kaloni në planin Enterprise për të shtuar përdorues shtesë në llogarinë tuaj.',
+ 'enterprise_plan_features' => 'Plani Enterprise shton përkrahje për shumë përdorues dhe bashkangjithjen e fajllave, :link për të parë listën e të gjitha veçorive.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Rimburso pagesën',
+ 'refund_max' => 'Maksimumi:',
+ 'refund' => 'Rimburso',
+ 'are_you_sure_refund' => 'Rimburso pagesën e selektuar?',
+ 'status_pending' => 'Në pritje',
+ 'status_completed' => 'E përfunduar',
+ 'status_failed' => 'Ka dështuar',
+ 'status_partially_refunded' => 'Rimbursuar pjesërisht',
+ 'status_partially_refunded_amount' => ':amount janë rimbursuar',
+ 'status_refunded' => 'Rimbursuar',
+ 'status_voided' => 'Anuluar',
+ 'refunded_payment' => 'Pagesë e rimbursuar',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Skadon: :expires',
+
+ 'card_creditcardother' => 'Panjohur',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Një tjetër kanal pagese tashmë është konfiguruar për direkt debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'ID e klientit',
+ 'secret' => 'Sekret',
+ 'public_key' => 'Çelësi publik',
+ 'plaid_optional' => '(opsionale)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Ofrues tjerë',
+ 'country_not_supported' => 'Ky shtet nuk përkrahet.',
+ 'invalid_routing_number' => 'Numri nuk është valid.',
+ 'invalid_account_number' => 'Numri i llogarisë nuk është valid.',
+ 'account_number_mismatch' => 'Numri i llogarisë nuk përshtatet.',
+ 'missing_account_holder_type' => 'Ju lutem zgjedhni një llogari individuale ose kompani.',
+ 'missing_account_holder_name' => 'Ju lutem vendosni emrin e mbajtësit të llogarisë.',
+ 'routing_number' => 'Numri rrjedhës',
+ 'confirm_account_number' => 'Konfirmo numrin e llogarisë',
+ 'individual_account' => 'Llogari individuale',
+ 'company_account' => 'Llogari e kompanisë',
+ 'account_holder_name' => 'Emri i mbajtësit të llogarisë',
+ 'add_account' => 'Shto llogari',
+ 'payment_methods' => 'Metodat e pagesës',
+ 'complete_verification' => 'Përfundo Verifikimin',
+ 'verification_amount1' => 'Shuma 1',
+ 'verification_amount2' => 'Shuma 2',
+ 'payment_method_verified' => 'Verifikimi ka përfunduar me sukses',
+ 'verification_failed' => 'Verifikimi ka dështuar',
+ 'remove_payment_method' => 'Largo Metodat e pagesës',
+ 'confirm_remove_payment_method' => 'A jeni të sigurtë që dëshironi të largoni këtë metodë pagese?',
+ 'remove' => 'Largo',
+ 'payment_method_removed' => 'Largo metodën e pagesës.',
+ 'bank_account_verification_help' => 'Ne kemi bërë dy depozita në llogarinë tuaj me përshkrimin "VERIFICATION". Këtyre depozitave do t\'ju duhen 1-2 ditë pune që të paraqiten në pasqyrën tuaj bankare. Ju lutem vendosni shumat më poshtë.',
+ 'bank_account_verification_next_steps' => 'Ne kemi bërë dy depozita në llogarinë tuaj me përshkrimin "VERIFICATION". Këtyre depozitave do t\'ju duhen 1-2 ditë pune që të paraqiten në pasqyrën tuaj bankare. Ju lutem vendosni shumat më poshtë.
+Pasi të keni pranuar shumat, kthehuni në faqen e metodave të pagesës dhe klikoni "Përfundo Verifikimin" afër llogarisë.',
+ 'unknown_bank' => 'Bankë e panjohur',
+ 'ach_verification_delay_help' => 'Ju mund të përdorni llogarinë tuaj pas përfundimit të verifikimit. Verifikimi zakonisht zgjat 1-2 ditë pune.',
+ 'add_credit_card' => 'Shto Kredit kartën',
+ 'payment_method_added' => 'Është shtuar metoda e pagesës.',
+ 'use_for_auto_bill' => 'Përdorni për pagesë automatike',
+ 'used_for_auto_bill' => 'Metodat e pagesave automatike',
+ 'payment_method_set_as_default' => 'Cakto metodat e pagesës automatike.',
+ 'activity_41' => ':payment_amount payment (:payment) ka dështuar',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'Ju duhet :link.',
+ 'stripe_webhook_help_link_text' => 'vendosni këtë URL si pikë fundore e Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'Ka ndodhur një gabim gjatë shtimit të metodës së pagesës. Ju lutem provoni përsëri.',
+ 'notification_invoice_payment_failed_subject' => 'Ka dështuar pagesa për faturën :invoice',
+ 'notification_invoice_payment_failed' => 'Pagesa e realizuar nga klienti :client për faturën :invoice ka dështuar. Pagesa është shënuar si e dështuar dhe :amount i është shtuar bilancit të klientit.',
+ 'link_with_plaid' => 'Lidheni llogarinë menjëherë me Plaid',
+ 'link_manually' => 'Lidhe manualisht',
+ 'secured_by_plaid' => 'Siguruar nga Plaid',
+ 'plaid_linked_status' => 'Llogaria juaj bankare në :bank',
+ 'add_payment_method' => 'Shto metodë pagese',
+ 'account_holder_type' => 'Lloji i mbajtësit të llogarisë',
+ 'ach_authorization' => 'E autorizoj :company të përdorë llogarinë time bankare për pagesa në të ardhmen dhe nëse është e nevojshme të kreditohet në mënyrë elektronike llogaria ime për të përmirësuar borxhet. E kuptoj se mundem me anulu këtë autorizim në çdo kohë duke larguar këtë mundësi pagese ose duke kontaktuar në :email.',
+ 'ach_authorization_required' => 'Ju duhet të aprovoni ACH transaksionet.',
+ 'off' => 'Ndalur',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Gjithmonë',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Menaxho pagesat automatike',
+ 'enabled' => 'Aktivizuar',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Aktivizo PayPal pagesat përmse BrainTree',
+ 'braintree_paypal_disabled_help' => 'Kanali i pagesës PayPal është duke procesuar pagesat PayPal',
+ 'braintree_paypal_help' => 'Ju gjithashtu duhet :link.',
+ 'braintree_paypal_help_link_text' => 'lidh PayPal me llogarinë tuaj në BrainTree',
+ 'token_billing_braintree_paypal' => 'Ruaj detajet e pagesës',
+ 'add_paypal_account' => 'Shto llogari PayPal',
+
+
+ 'no_payment_method_specified' => 'Nuk është caktuar metoda e pagesës',
+ 'chart_type' => 'Lloji i grafikonit',
+ 'format' => 'Format',
+ 'import_ofx' => 'Importo OFX',
+ 'ofx_file' => 'OXF Fajll',
+ 'ofx_parse_failed' => 'Ka dështuar marrja e fajllit OFX',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Regjistrohu në WePay',
+ 'use_another_provider' => 'Përdor ofrues tjetër',
+ 'company_name' => 'Emri i kompanisë',
+ 'wepay_company_name_help' => 'Kjo do të shfaqet në pasqyrën e kredit kartës së klientit',
+ 'wepay_description_help' => 'Qëllimi i kësaj llogarie.',
+ 'wepay_tos_agree' => 'Pajtohem me :link.',
+ 'wepay_tos_link_text' => 'WePay Kushtet e Shërbimit',
+ 'resend_confirmation_email' => 'Ridërgo konfirmimin me email',
+ 'manage_account' => 'Menaxho llogaritë',
+ 'action_required' => 'Kërkohet veprim',
+ 'finish_setup' => 'Përfundo instalimin',
+ 'created_wepay_confirmation_required' => 'Ju lutem kontrolloni emailin tuaj dhe konfirmoni email adresën me WePay',
+ 'switch_to_wepay' => 'Kalo në WePay',
+ 'switch' => 'Kalo',
+ 'restore_account_gateway' => 'Rikthe kanalin e pagesës',
+ 'restored_account_gateway' => 'Kanali i pagesës është rikthyer me sukses',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Prano Debit Kartë',
+ 'debit_cards' => 'Debit Kartë',
+
+ 'warn_start_date_changed' => 'Fatura e re do të dërgohet në datën e re të fillimit.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Data orgjinale e fillimit',
+ 'new_start_date' => 'Data e re e filimit',
+ 'security' => 'Siguria',
+ 'see_whats_new' => 'Shiko çka ka të re në v:version',
+ 'wait_for_upload' => 'Ju lutem prisni që dokumenti të ngarkohet me sukses.',
+ 'upgrade_for_permissions' => 'Kaloni në planin Enterprise për të aktivizuar lejet.',
+ 'enable_second_tax_rate' => 'Aktivizoni specifikimin e normës së dytë të taksës',
+ 'payment_file' => 'Fajlli i pagesës',
+ 'expense_file' => 'Fajlli i shpenzimeve',
+ 'product_file' => 'Fajlli i produkteve',
+ 'import_products' => 'Importo produktet',
+ 'products_will_create' => 'products will be created',
+ 'product_key' => 'Produkt',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'Fajlli JSON',
+
+ 'view_dashboard' => 'Shiko Panelin',
+ 'client_session_expired' => 'Seanca ka skaduar.',
+ 'client_session_expired_message' => 'Seanca ka skaduar. Ju lutem klikoni linkun në emailin tuaj përsëri.',
+
+ 'auto_bill_notification' => 'Kjo faturë do të dërgohet për pagesë automatikisht tek :payment_method në :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'llogaria bankare',
+ 'auto_bill_payment_method_credit_card' => 'kredit kartë',
+ 'auto_bill_payment_method_paypal' => 'Llogaria PayPal',
+ 'auto_bill_notification_placeholder' => 'Kjo faturë do të dërgohet për pagesë automatikisht nga kredit karta juaj në afatin e pagesës.',
+ 'payment_settings' => 'Rregullimi i pagesës',
+
+ 'on_send_date' => 'Në datën e dërgimit',
+ 'on_due_date' => 'Në datën e pagesës',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Për shkak të rregullave të NACHA, ndryshimet në këtë faturë mund të parandalojnë autopagesën përmes ACH.',
+
+ 'bank_account' => 'Llogaria Bankare',
+ 'payment_processed_through_wepay' => 'Pagesat ACH do të procesohen përmes WePay.',
+ 'wepay_payment_tos_agree' => 'Pajtohem me WePay :terms dhe:privacy_policy.',
+ 'privacy_policy' => 'Politika e Privatësisë',
+ 'wepay_payment_tos_agree_required' => 'Ju duhet të pajtoheni me WePay Kushtet e Shërbimit dhe Politikat e Privatësisë.',
+ 'ach_email_prompt' => 'Ju lutem vendosni email adresën tuaj:',
+ 'verification_pending' => 'Verifikimi në pritje',
+
+ 'update_font_cache' => 'Ju lutem freskojeni faqen për të parë fontin.',
+ 'more_options' => 'Më shumë opsione',
+ 'credit_card' => 'Kredit kartë',
+ 'bank_transfer' => 'Transfer bankar',
+ 'no_transaction_reference' => 'Nuk kemi pranuar referencën e transaksionit të pagesës nga kanali i pagesës.',
+ 'use_bank_on_file' => 'Përdorni bankën e regjistruar',
+ 'auto_bill_email_message' => 'Kjo faturë do të dërgohet për pagesë automatikisht tek opsioni i pagesës në afatin e pagesës.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Shtuar :date',
+ 'failed_remove_payment_method' => 'Ka dështuar largimi i metodës së pagesës',
+ 'gateway_exists' => 'Ky kanal pagese tashmë ekziston',
+ 'manual_entry' => 'Vendos manualisht',
+ 'start_of_week' => 'First Day of the Week',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Javore',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Dy javore',
+ 'freq_four_weeks' => 'Katër javore',
+ 'freq_monthly' => 'Mujore',
+ 'freq_three_months' => 'Tre mujore',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Gjashtë mujore',
+ 'freq_annually' => 'Vjetore',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apliko kreditin',
+ 'payment_type_Bank Transfer' => 'Transfer bankar',
+ 'payment_type_Cash' => 'Kesh',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Tjetër Credit Card',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Qeqe',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Kalo',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Kontabilitet & Ligjore',
+ 'industry_Advertising' => 'Reklamimi',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agrikultura',
+ 'industry_Automotive' => 'Automobilizëm',
+ 'industry_Banking & Finance' => 'Banka dhe Financa',
+ 'industry_Biotechnology' => 'Bioteknologji',
+ 'industry_Broadcasting' => 'Transmetim',
+ 'industry_Business Services' => 'Shërbime biznesi',
+ 'industry_Commodities & Chemicals' => 'Kemikale',
+ 'industry_Communications' => 'Komunikimi',
+ 'industry_Computers & Hightech' => 'Kompjuter & Tekonologji',
+ 'industry_Defense' => 'Mbrojtje',
+ 'industry_Energy' => 'Energji',
+ 'industry_Entertainment' => 'Zbavitje',
+ 'industry_Government' => 'Qeveri',
+ 'industry_Healthcare & Life Sciences' => 'Shëndetësi & Shkencë',
+ 'industry_Insurance' => 'Sigurime',
+ 'industry_Manufacturing' => 'Prodhi',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'OJQ',
+ 'industry_Pharmaceuticals' => 'Farmaceutike',
+ 'industry_Professional Services & Consulting' => 'Shërbime profesionale & konsultim',
+ 'industry_Real Estate' => 'Patundshmëri',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Shitje',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Udhëtime & Luks',
+ 'industry_Other' => 'Të tjera',
+ 'industry_Photography' => 'Fotografi',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Shqip',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Kontabilitet & Ligjore',
+ 'industry_Advertising' => 'Reklamimi',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agrikultura',
+ 'industry_Automotive' => 'Automobilizëm',
+ 'industry_Banking & Finance' => 'Banka dhe Financa',
+ 'industry_Biotechnology' => 'Bioteknologji',
+ 'industry_Broadcasting' => 'Transmetim',
+ 'industry_Business Services' => 'Shërbime biznesi',
+ 'industry_Commodities & Chemicals' => 'Kemikale',
+ 'industry_Communications' => 'Komunikimi',
+ 'industry_Computers & Hightech' => 'Kompjuter & Tekonologji',
+ 'industry_Defense' => 'Mbrojtje',
+ 'industry_Energy' => 'Energji',
+ 'industry_Entertainment' => 'Zbavitje',
+ 'industry_Government' => 'Qeveri',
+ 'industry_Healthcare & Life Sciences' => 'Shëndetësi & Shkencë',
+ 'industry_Insurance' => 'Sigurime',
+ 'industry_Manufacturing' => 'Prodhi',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'OJQ',
+ 'industry_Pharmaceuticals' => 'Farmaceutike',
+ 'industry_Professional Services & Consulting' => 'Shërbime profesionale & konsultim',
+ 'industry_Real Estate' => 'Patundshmëri',
+ 'industry_Retail & Wholesale' => 'Shitje',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Udhëtime & Luks',
+ 'industry_Other' => 'Të tjera',
+ 'industry_Photography' =>'Fotografi',
+
+ 'view_client_portal' => 'Shiko portalin e klienti',
+ 'view_portal' => 'Shiko portalin',
+ 'vendor_contacts' => 'Kontakte te kompanive',
+ 'all' => 'Të gjitha',
+ 'selected' => 'Të selektuara',
+ 'category' => 'Kategoria',
+ 'categories' => 'Kategoritë',
+ 'new_expense_category' => 'Kategori e re e shpenzimeve',
+ 'edit_category' => 'Edito kategorinë',
+ 'archive_expense_category' => 'Arkivo kategorinë',
+ 'expense_categories' => 'Kategoritë e shpenzimeve',
+ 'list_expense_categories' => 'Listo kategoritë e shpenzimeve',
+ 'updated_expense_category' => 'Është perditesuar me sukses kategoria e shpenzimeve',
+ 'created_expense_category' => 'Kategoria e shpenzimeve është krijuar me sukses',
+ 'archived_expense_category' => 'Kategoria e shpenzimeve është arkivuar me sukses',
+ 'archived_expense_categories' => ':count kategori të shpenzimeve janë arkivuar me sukses',
+ 'restore_expense_category' => 'Rikthe kategorinë e shpenzimeve',
+ 'restored_expense_category' => 'Kategoria e shpenzimeve është rikthyer me sukses',
+ 'apply_taxes' => 'Apliko taksat',
+ 'min_to_max_users' => ':min deri :max përdorues',
+ 'max_users_reached' => 'Numri maksimal i përdoruesve është arritur',
+ 'buy_now_buttons' => 'Butonat Blej Tash',
+ 'landing_page' => 'Faqja hyrëse',
+ 'payment_type' => 'Lloji i pagesës',
+ 'form' => 'Forma',
+ 'link' => 'Link',
+ 'fields' => 'Fushat',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'Ky opsion kërkon që produkti të jetë i krijuar dhe të konfigurohet kanali i pagesës.',
+ 'enable_buy_now_buttons_help' => 'Aktivizo përkrahjen për butonat Blej Tash',
+ 'changes_take_effect_immediately' => 'Shënim: ndryshimet kanë efekt të menjëhershëm',
+ 'wepay_account_description' => 'Kanalet e pagesës për Invoice Ninja',
+ 'payment_error_code' => 'Ka ndodhur një gabim gjatë procesimit të pagesës tuaj [:code]. Ju lutem provoni më vonë përsëri.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Të dhënat duhet të të importohen për :count rreshta ose më pak',
+ 'error_title' => 'Diçka ka shkuar gabim',
+ 'error_contact_text' => 'Nëse dëshironi të ndihmoni ju lutem na shkruani email në :mailaddress',
+ 'no_undo' => 'Vërejtje: kjo nuk mund të kthehet prapa.',
+ 'no_contact_selected' => 'Ju lutem zgjedhni një kontakt',
+ 'no_client_selected' => 'Ju lutem zgjedhni një klient',
+
+ 'gateway_config_error' => 'Mund t\'ju duhet ndihmë për të vendosur fjalëkalim të ri ose për të gjeneruar çelës të ri API .',
+ 'payment_type_on_file' => ':type ne skedar',
+ 'invoice_for_client' => 'Fatura :invoice per :client',
+ 'intent_not_found' => 'Me falni, nuk jam i sigurt cfare kerkoni. ',
+ 'intent_not_supported' => 'Me falni, nuk jam ne gjendje te bej kete gje. ',
+ 'client_not_found' => 'Nuk ishte e mundur te gjeja klientin',
+ 'not_allowed' => 'Me falni, ju nuk keni autorizimin perkates',
+ 'bot_emailed_invoice' => 'Fatura juaj u dergua. ',
+ 'bot_emailed_notify_viewed' => 'Do te te dergoj email kur te shikohet. ',
+ 'bot_emailed_notify_paid' => 'Do te te dergoj email kur te paguhet. ',
+ 'add_product_to_invoice' => 'Shto 1 :product',
+ 'not_authorized' => 'Nuk jeni i autorizuar. ',
+ '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_code' => 'Faleminderit. Ju kam dergar nje email qe permban kodin tuaj te sigurise. ',
+ 'bot_welcome' => 'Llogaria juaj eshte verifikuar.
',
+ 'email_not_found' => 'Nuk munda te gjej nje llogari te disponueshme per :email',
+ 'invalid_code' => 'Kodi eshte jo korrekt',
+ 'security_code_email_subject' => 'Kodi i sigurise per Invoice Ninja Bot',
+ 'security_code_email_line1' => 'Ky eshte kodi juaj i sigurise per Invoice Ninja Bot. ',
+ 'security_code_email_line2' => 'Shenim: skadon per 10 minuta.',
+ 'bot_help_message' => 'Momentalisht mund te bej:
• Krijo/perditeso/dergo nje fature
• Listo produktet
Per shembull:
Dergo fature Bobit per 2 bileta me date te fundit per te enjten tjeter dhe ul cmimin me 10 perqind',
+ 'list_products' => 'Listo Produktet',
+
+ 'include_item_taxes_inline' => 'Perfshi line item taxes in line total',
+ 'created_quotes' => 'Jane krijuar me sukses :count oferta',
+ 'limited_gateways' => 'Shenim: ne ofrojme nje kanal pagese me karte krediti per kompani.',
+
+ 'warning' => 'Paralajmerim',
+ 'self-update' => 'Perditeso',
+ 'update_invoiceninja_title' => 'Perditeso Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Perpara se te perditesoni Invoice Ninja, ruani nje rezerve te skedareve dhe databazes!',
+ 'update_invoiceninja_available' => 'Nje version i ri i Invoice Ninja eshte i disponueshem. ',
+ 'update_invoiceninja_unavailable' => 'Nuk ka version te ri te disponueshem per Invoice Ninja. ',
+ 'update_invoiceninja_instructions' => 'Ju lutem instaloni versionin e ri :version duke klikuar butonin Perditeso Tani me poshte. Pasi te mbaroje, do te dergoheni ne faqen kryesore.',
+ 'update_invoiceninja_update_start' => 'Perditeso tani',
+ 'update_invoiceninja_download_start' => 'Shkarko :version',
+ 'create_new' => 'Krijo',
+
+ 'toggle_navigation' => 'Ndrysho Navigimin',
+ 'toggle_history' => 'Ndrysho Historine',
+ 'unassigned' => 'E pacaktuar',
+ 'task' => 'Detyre',
+ 'contact_name' => 'Emri i Kontaktit',
+ 'city_state_postal' => 'Qytet/Shtet/Poste',
+ 'custom_field' => 'Fushe e Ndryshueshme',
+ 'account_fields' => 'Fushat e kompanise',
+ 'facebook_and_twitter' => 'Facebook dhe Twitter',
+ 'facebook_and_twitter_help' => 'Ndiqni te rejat tona per te na perkrahur',
+ '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.',
+ 'unnamed_client' => 'Klient pa Emer',
+
+ 'day' => 'Dite',
+ 'week' => 'Jave',
+ 'month' => 'Muaj',
+ 'inactive_logout' => 'Ju jeni c\'rregjistruar sepse nuk ishit aktiv',
+ 'reports' => 'Raporte',
+ 'total_profit' => 'Fitimi Total',
+ 'total_expenses' => 'Shpenzimet Totale',
+ 'quote_to' => 'Oferte per',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'Pa Limit',
+ 'set_limits' => 'Vendos Limitet per :gateway_type',
+ 'enable_min' => 'Aktivizo min',
+ 'enable_max' => 'Aktivizo max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'Kjo fature nuk respekton limitet per kete kanal pagese.',
+
+ 'date_range' => 'Shtrirja e Dates',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Perditeso',
+ 'invoice_fields_help' => 'Leviz fushat me "drag and drop" per te ndryshuar rregullin dhe vendndodhjen',
+ 'new_category' => 'Kategori e Re',
+ 'restore_product' => 'Rikthe Produktin',
+ 'blank' => 'Bosh',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Aktivizo Perseritjen',
+ 'disable_recurring' => 'Caktivizo Perseritjen',
+ 'text' => 'Tekst',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Create an account',
+ 'quote_types' => 'Get a quote for',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'Line of credit',
+ 'fico_score' => 'Your FICO score',
+ 'business_inception' => 'Business Inception Date',
+ 'average_bank_balance' => 'Average bank account balance',
+ 'annual_revenue' => 'Annual revenue',
+ 'desired_credit_limit_factoring' => 'Desired invoice factoring limit',
+ 'desired_credit_limit_loc' => 'Desired line of credit limit',
+ 'desired_credit_limit' => 'Desired credit limit',
+ 'bluevine_credit_line_type_required' => 'You must choose at least one',
+ 'bluevine_field_required' => 'This field is required',
+ 'bluevine_unexpected_error' => 'An unexpected error occurred.',
+ 'bluevine_no_conditional_offer' => 'More information is required before getting a quote. Click continue below.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'Conditional Offer',
+ 'bluevine_credit_line_amount' => 'Credit Line',
+ 'bluevine_advance_rate' => 'Advance Rate',
+ 'bluevine_weekly_discount_rate' => 'Weekly Discount Rate',
+ 'bluevine_minimum_fee_rate' => 'Minimum Fee',
+ 'bluevine_line_of_credit' => 'Line of Credit',
+ 'bluevine_interest_rate' => 'Interest Rate',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'Continue to BlueVine',
+ 'bluevine_completed' => 'BlueVine signup completed',
+
+ 'vendor_name' => 'Vendor',
+ 'entity_state' => 'State',
+ 'client_created_at' => 'Date Created',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Invoice',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Parashiko',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporting format',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/sq/validation.php b/resources/lang/sq/validation.php
new file mode 100644
index 000000000000..9cd44f6c8073
--- /dev/null
+++ b/resources/lang/sq/validation.php
@@ -0,0 +1,119 @@
+ ':attribute duhet të pranohet.',
+ 'active_url' => ':attribute nuk është adresë e saktë.',
+ 'after' => ':attribute duhet të jetë datë pas :date.',
+ 'alpha' => ':attribute mund të përmbajë vetëm shkronja.',
+ 'alpha_dash' => ':attribute mund të përmbajë vetëm shkronja, numra, dhe viza.',
+ 'alpha_num' => ':attribute mund të përmbajë vetëm shkronja dhe numra.',
+ 'array' => ':attribute duhet të jetë një bashkësi (array).',
+ 'before' => ':attribute duhet të jetë datë para :date.',
+ 'between' => [
+ 'numeric' => ':attribute duhet të jetë midis :min - :max.',
+ 'file' => ':attribute duhet të jetë midis :min - :max kilobajtëve.',
+ 'string' => ':attribute duhet të jetë midis :min - :max karaktereve.',
+ 'array' => ':attribute duhet të jetë midis :min - :max elementëve.',
+ ],
+ 'boolean' => 'Fusha :attribute duhet të jetë e vërtetë ose e gabuar',
+ 'confirmed' => ':attribute konfirmimi nuk përputhet.',
+ 'date' => ':attribute nuk është një datë e saktë.',
+ 'date_format' => ':attribute nuk i përshtatet formatit :format.',
+ 'different' => ':attribute dhe :other duhet të jenë të ndryshme.',
+ 'digits' => ':attribute duhet të jetë :digits shifra.',
+ 'digits_between' => ':attribute duhet të jetë midis :min dhe :max shifra.',
+ 'dimensions' => 'The :attribute has invalid image dimensions.',
+ 'distinct' => 'The :attribute field has a duplicate value.',
+ 'email' => ':attribute formati është i pasaktë.',
+ 'exists' => ':attribute përzgjedhur është i/e pasaktë.',
+ 'file' => 'The :attribute must be a file.',
+ 'filled' => 'Fusha :attribute është e kërkuar.',
+ 'image' => ':attribute duhet të jetë imazh.',
+ 'in' => ':attribute përzgjedhur është i/e pasaktë.',
+ 'in_array' => 'The :attribute field does not exist in :other.',
+ 'integer' => ':attribute duhet të jetë numër i plotë.',
+ 'ip' => ':attribute duhet të jetë një IP adresë e saktë.',
+ 'json' => 'The :attribute must be a valid JSON string.',
+ 'max' => [
+ 'numeric' => ':attribute nuk mund të jetë më tepër se :max.',
+ 'file' => ':attribute nuk mund të jetë më tepër se :max kilobajtë.',
+ 'string' => ':attribute nuk mund të jetë më tepër se :max karaktere.',
+ 'array' => ':attribute nuk mund të ketë më tepër se :max elemente.',
+ ],
+ 'mimes' => ':attribute duhet të jetë një dokument i tipit: :values.',
+ 'mimetypes' => ':attribute duhet të jetë një dokument i tipit: :values.',
+ 'min' => [
+ 'numeric' => ':attribute nuk mund të jetë më pak se :min.',
+ 'file' => ':attribute nuk mund të jetë më pak se :min kilobajtë.',
+ 'string' => ':attribute nuk mund të jetë më pak se :min karaktere.',
+ 'array' => ':attribute nuk mund të ketë më pak se :min elemente.',
+ ],
+ 'not_in' => ':attribute përzgjedhur është i/e pasaktë.',
+ 'numeric' => ':attribute duhet të jetë një numër.',
+ 'present' => 'The :attribute field must be present.',
+ 'regex' => 'Formati i :attribute është i pasaktë.',
+ 'required' => 'Fusha :attribute është e kërkuar.',
+ 'required_if' => 'Fusha :attribute është e kërkuar kur :other është :value.',
+ 'required_unless' => 'The :attribute field is required unless :other is in :values.',
+ 'required_with' => 'Fusha :attribute është e kërkuar kur :values ekziston.',
+ 'required_with_all' => 'Fusha :attribute është e kërkuar kur :values ekziston.',
+ 'required_without' => 'Fusha :attribute është e kërkuar kur :values nuk ekziston.',
+ 'required_without_all' => 'Fusha :attribute është e kërkuar kur nuk ekziston asnjë nga :values.',
+ 'same' => ':attribute dhe :other duhet të përputhen.',
+ 'size' => [
+ 'numeric' => ':attribute duhet të jetë :size.',
+ 'file' => ':attribute duhet të jetë :size kilobajtë.',
+ 'string' => ':attribute duhet të jetë :size karaktere.',
+ 'array' => ':attribute duhet të ketë :size elemente.',
+ ],
+ 'string' => ':attribute duhet të jetë varg.',
+ 'timezone' => ':attribute duhet të jetë zonë e saktë.',
+ 'unique' => ':attribute është marrë tashmë.',
+ 'uploaded' => 'The :attribute uploading failed.',
+ 'url' => 'Formati i :attribute është i pasaktë.',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ //
+ ],
+
+];
diff --git a/resources/lang/sv/pagination.php b/resources/lang/sv/pagination.php
new file mode 100644
index 000000000000..3e1f99a2ee93
--- /dev/null
+++ b/resources/lang/sv/pagination.php
@@ -0,0 +1,20 @@
+ '« Föregående',
+
+ 'next' => 'Nästa »',
+
+];
diff --git a/resources/lang/sv/passwords.php b/resources/lang/sv/passwords.php
new file mode 100644
index 000000000000..3239e8be9fb7
--- /dev/null
+++ b/resources/lang/sv/passwords.php
@@ -0,0 +1,26 @@
+ "Lösenord måste innehålla minst sex tecken och matcha varandra.",
+
+ "user" => "Vi kan inte hitta en användare med den e-postadressen.",
+
+ "token" => "Koden för lösenordsåterställning är ogiltig.",
+
+ "sent" => "Lösenordspåminnelse skickad!",
+
+ "reset" => "Lösenordet har blivit återställt!",
+
+];
diff --git a/resources/lang/sv/reminders.php b/resources/lang/sv/reminders.php
new file mode 100644
index 000000000000..b35b56e9584e
--- /dev/null
+++ b/resources/lang/sv/reminders.php
@@ -0,0 +1,24 @@
+ "Passwords must be at least six characters and match the confirmation.",
+
+ "user" => "We can't find a user with that e-mail address.",
+
+ "token" => "This password reset token is invalid.",
+
+ "sent" => "Password reminder sent!",
+
+);
diff --git a/resources/lang/sv/texts.php b/resources/lang/sv/texts.php
new file mode 100644
index 000000000000..37342d9a3d62
--- /dev/null
+++ b/resources/lang/sv/texts.php
@@ -0,0 +1,2879 @@
+ 'Organisation',
+ 'name' => 'Namn',
+ 'website' => 'Hemsida',
+ 'work_phone' => 'Telefon',
+ 'address' => 'Adress',
+ 'address1' => 'Adress 1',
+ 'address2' => 'Adress 2',
+ 'city' => 'Ort',
+ 'state' => 'Landskap',
+ 'postal_code' => 'Postnummer',
+ 'country_id' => 'Land',
+ 'contacts' => 'Kontakter',
+ 'first_name' => 'Förnamn',
+ 'last_name' => 'Efternamn',
+ 'phone' => 'Telefon',
+ 'email' => 'E-post',
+ 'additional_info' => 'Mer info',
+ 'payment_terms' => 'Betalningsvillkor',
+ 'currency_id' => 'Valuta',
+ 'size_id' => 'Storlek',
+ 'industry_id' => 'Branch',
+ 'private_notes' => 'Privata anteckningar',
+ 'invoice' => 'Faktura',
+ 'client' => 'Kund',
+ 'invoice_date' => 'Fakturadatum',
+ 'due_date' => 'Sista betalningsdatum',
+ 'invoice_number' => 'Fakturanummer',
+ 'invoice_number_short' => 'Faktura #',
+ 'po_number' => 'Referensnummer',
+ 'po_number_short' => 'Referens #',
+ 'frequency_id' => 'Hur ofta',
+ 'discount' => 'Rabatt',
+ 'taxes' => 'Moms',
+ 'tax' => 'Moms',
+ 'item' => 'Artikel',
+ 'description' => 'Beskrivning',
+ 'unit_cost' => 'Enhetspris',
+ 'quantity' => 'Antal',
+ 'line_total' => 'Summa',
+ 'subtotal' => 'Delsumma',
+ 'paid_to_date' => 'Betalt hittills',
+ 'balance_due' => 'Resterande belopp',
+ 'invoice_design_id' => 'Utseende',
+ 'terms' => 'Villkor',
+ 'your_invoice' => 'Din faktura',
+ 'remove_contact' => 'Ta bort kontakt',
+ 'add_contact' => 'Lägg till kontakt',
+ 'create_new_client' => 'Skapa ny kund',
+ 'edit_client_details' => 'Ändra kunduppgifter',
+ 'enable' => 'Tillgänglig',
+ 'learn_more' => 'Hjälp',
+ 'manage_rates' => 'Hantera priser',
+ 'note_to_client' => 'Anteckningar till kund',
+ 'invoice_terms' => 'Fakturavillkor',
+ 'save_as_default_terms' => 'Spara som standardvillkor',
+ 'download_pdf' => 'Ladda ner PDF',
+ 'pay_now' => 'Betala nu',
+ 'save_invoice' => 'Spara faktura',
+ 'clone_invoice' => 'Kopia till faktura',
+ 'archive_invoice' => 'Arkivera faktura',
+ 'delete_invoice' => 'Ta bort faktura',
+ 'email_invoice' => 'E-posta faktura',
+ 'enter_payment' => 'Ange betalning',
+ 'tax_rates' => 'Momsnivåer',
+ 'rate' => '`a-pris',
+ 'settings' => 'Inställningar',
+ 'enable_invoice_tax' => 'Slå på moms per faktura',
+ 'enable_line_item_tax' => 'Slå på moms per rad',
+ 'dashboard' => 'Översikt',
+ 'clients' => 'Kunder',
+ 'invoices' => 'Fakturor',
+ 'payments' => 'Betalningar',
+ 'credits' => 'Kreditfakturor',
+ 'history' => 'Historik',
+ 'search' => 'Sök',
+ 'sign_up' => 'Registrera dig',
+ 'guest' => 'Gäst',
+ 'company_details' => 'Företagsinfo',
+ 'online_payments' => 'Onlinebetalningar',
+ 'notifications' => 'Meddelanden',
+ 'import_export' => 'Importera/Exportera',
+ 'done' => 'Klar',
+ 'save' => 'Spara',
+ 'create' => 'Skapa',
+ 'upload' => 'Ladda upp',
+ 'import' => 'Importera',
+ 'download' => 'Ladda ner',
+ 'cancel' => 'Avbryt',
+ 'close' => 'Stäng',
+ 'provide_email' => 'Ange en giltig e-postadress',
+ 'powered_by' => 'Drivs av',
+ 'no_items' => 'Inga artiklar',
+ 'recurring_invoices' => 'Återkommande fakturor',
+ 'recurring_help' => 'Skicka automatiskt fakturor till kund varje vecka, månad, kvartal eller årsvis.
+ Använd :MONTH, :QUARTER eller :YEAR för dynamiskt datum. Enkla formler fungerar också, t.ex. :MONTH-1
+ Exempel på dynamiska fakturavariabler::
+
+ - "Gym medlemskap för månaden :MONTH" >> "Gym medlemskap för månaden Juli"
+ - ":YEAR+1 årlig prenumeration" >> "2015 årlig prenumeration"
+ - "Underhåll för :QUARTER+1" >> "Underhåll för Q2"
+
',
+ 'recurring_quotes' => 'Återkommande offerter',
+ 'in_total_revenue' => 'i totala intäkter',
+ 'billed_client' => 'fakturerad kund',
+ 'billed_clients' => 'fakturerade kunder',
+ 'active_client' => 'aktiv kund',
+ 'active_clients' => 'aktiva kunder',
+ 'invoices_past_due' => 'Försenade fakturor',
+ 'upcoming_invoices' => 'Kommande fakturor',
+ 'average_invoice' => 'Genomsnittlig faktura',
+ 'archive' => 'Arkiv',
+ 'delete' => 'Ta bort',
+ 'archive_client' => 'Arkivera kund',
+ 'delete_client' => 'Radera kund',
+ 'archive_payment' => 'Arkivera betalning',
+ 'delete_payment' => 'Ta bort betalning',
+ 'archive_credit' => 'Arkiverade kreditfakturor',
+ 'delete_credit' => 'Ta bort kreditfaktura',
+ 'show_archived_deleted' => 'Visa arkiverade/borttagna',
+ 'filter' => 'Filter',
+ 'new_client' => 'Ny kund',
+ 'new_invoice' => 'Ny faktura',
+ 'new_payment' => 'Ny betalning',
+ 'new_credit' => 'Ange Kredit',
+ 'contact' => 'Kontakt',
+ 'date_created' => 'Skapat datum',
+ 'last_login' => 'Senast inloggad',
+ 'balance' => 'Balans',
+ 'action' => 'Hantera',
+ 'status' => 'Status',
+ 'invoice_total' => 'Totalsumma',
+ 'frequency' => 'Frekvens',
+ 'start_date' => 'Startdatum',
+ 'end_date' => 'Slutdatum',
+ 'transaction_reference' => 'Transaktion referens',
+ 'method' => 'Metod',
+ 'payment_amount' => 'Betald summa',
+ 'payment_date' => 'Betalningsdatum',
+ 'credit_amount' => 'Kreditsumma',
+ 'credit_balance' => 'Kreditbalans',
+ 'credit_date' => 'Kreditdatum',
+ 'empty_table' => 'Ingen data tillgänglig',
+ 'select' => 'Välj',
+ 'edit_client' => 'Redigera kund',
+ 'edit_invoice' => 'Redigera faktura',
+ 'create_invoice' => 'Skapa faktura',
+ 'enter_credit' => 'Ange kredit',
+ 'last_logged_in' => 'Senast inloggad',
+ 'details' => 'Detaljer',
+ 'standing' => 'Summering',
+ 'credit' => 'Kredit',
+ 'activity' => 'Händelse',
+ 'date' => 'Datum',
+ 'message' => 'Meddelande',
+ 'adjustment' => 'Justering',
+ 'are_you_sure' => 'Är du säker?',
+ 'payment_type_id' => 'Betalningssätt',
+ 'amount' => 'Summa',
+ 'work_email' => 'E-postadress',
+ 'language_id' => 'Språk',
+ 'timezone_id' => 'Tidszon',
+ 'date_format_id' => 'Datumformat',
+ 'datetime_format_id' => 'Datum-/tidformat',
+ 'users' => 'Användare',
+ 'localization' => 'Språkanpassning',
+ 'remove_logo' => 'Ta bort logotyp',
+ 'logo_help' => 'Giltiga format: JPEG, GIF och PNG',
+ 'payment_gateway' => 'Betalningstjänst',
+ 'gateway_id' => 'Tjänst',
+ 'email_notifications' => 'E-post Notifieringar',
+ 'email_sent' => 'Skicka e-post när faktura skickas',
+ 'email_viewed' => 'Skicka e-post när faktura visas',
+ 'email_paid' => 'Skicka e-post när faktura betalas',
+ 'site_updates' => 'Sajt-uppdateringar',
+ 'custom_messages' => 'Anpassat meddelande',
+ 'default_email_footer' => 'Ange standard e-post signatur',
+ 'select_file' => 'Välj fil',
+ 'first_row_headers' => 'Använd första raden som rubrik',
+ 'column' => 'Kolumn',
+ 'sample' => 'Exempel',
+ 'import_to' => 'Importera till',
+ 'client_will_create' => 'kund kommer skapas',
+ 'clients_will_create' => 'kunder kommer skapas',
+ 'email_settings' => 'E-postinställningar',
+ 'client_view_styling' => 'Utformning av kund vy',
+ 'pdf_email_attachment' => 'Bifoga PDF',
+ 'custom_css' => 'Anpassad CSS',
+ 'import_clients' => 'Importera kundinformation',
+ 'csv_file' => 'Välj CSV-fil',
+ 'export_clients' => 'Exportera kundinformation',
+ 'created_client' => 'Kund skapad',
+ 'created_clients' => ':count kund(er) skapade',
+ 'updated_settings' => 'Inställningar uppdaterade',
+ 'removed_logo' => 'Logotyp borttagen',
+ 'sent_message' => 'Meddelandet skickat',
+ 'invoice_error' => 'Välj kund och rätta till eventuella fel',
+ 'limit_clients' => 'Du kan max skapa :count kunder',
+ 'payment_error' => 'Något blev fel när din betalning bearbetades. Var vänlig och försök igen lite senare.',
+ 'registration_required' => 'Du måste registrera dig för att kunna skicka en faktura som e-post',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Kund uppdaterad',
+ 'created_client' => 'Kund skapad',
+ 'archived_client' => 'Kund arkiverad',
+ 'archived_clients' => ':count kunder arkiverade',
+ 'deleted_client' => 'kund borttagen',
+ 'deleted_clients' => ':count kunder borttagna',
+ 'updated_invoice' => 'Faktura uppdaterad',
+ 'created_invoice' => 'Faktura skapad',
+ 'cloned_invoice' => 'Faktura kopierad',
+ 'emailed_invoice' => 'Faktura skickad som e-post',
+ 'and_created_client' => 'och kund skapad',
+ 'archived_invoice' => 'Faktura arkiverad',
+ 'archived_invoices' => ':count fakturor arkiverade',
+ 'deleted_invoice' => 'Faktura borttagen',
+ 'deleted_invoices' => ':count fakturor borttagna',
+ 'created_payment' => 'Betalning registrerad',
+ 'created_payments' => 'Framgångsrikt skapat :count betalning(ar)',
+ 'archived_payment' => 'Betalning arkiverad',
+ 'archived_payments' => ':count betalningar arkiverade',
+ 'deleted_payment' => 'Betalning borttagen',
+ 'deleted_payments' => ':count betalningar borttagna',
+ 'applied_payment' => 'Betalning applicerad',
+ 'created_credit' => 'Kreditfaktura skapad',
+ 'archived_credit' => 'Kreditfaktura arkiverad',
+ 'archived_credits' => ':count kreditfakturor arkiverade',
+ 'deleted_credit' => 'Kreditfaktura borttagen',
+ 'deleted_credits' => ':count kreditfakturor borttagna',
+ 'imported_file' => 'Framgångsrikt importerat fil',
+ 'updated_vendor' => 'Framgångsrikt uppdaterat leverantör',
+ 'created_vendor' => 'Framgångsrikt skapat leverantör',
+ 'archived_vendor' => 'Framgångsrikt arkiverat leverantör',
+ 'archived_vendors' => 'Framgångsrikt arkiverat :count leverantörer',
+ 'deleted_vendor' => 'Framgångsrikt raderat leverantör',
+ 'deleted_vendors' => 'Framgångsrikt raderat :count leverantörer',
+ 'confirmation_subject' => 'Bekräfta ditt Invoice Ninja konto',
+ 'confirmation_header' => 'Bekräfta ditt konto',
+ 'confirmation_message' => 'Vänligen klick på länken nedan för att bekräfta ditt konto.',
+ 'invoice_subject' => 'Ny faktura :number från :account',
+ 'invoice_message' => 'Klicka på länken nedan för att visa din faktura på :amount.',
+ 'payment_subject' => 'Betalning mottagen',
+ 'payment_message' => 'Tack för din betalning på :amount.',
+ 'email_salutation' => 'Hej :name,',
+ 'email_signature' => 'Vänliga hälsningar,',
+ 'email_from' => 'Invoice Ninja teamet',
+ 'invoice_link_message' => 'För att se din kundfaktura klicka på länken nedan:',
+ 'notification_invoice_paid_subject' => 'Faktura :invoice är betald av :client',
+ 'notification_invoice_sent_subject' => 'Faktura :invoice är skickad till :client',
+ 'notification_invoice_viewed_subject' => 'Faktura :invoice har setts av :client',
+ 'notification_invoice_paid' => 'En betalning på :amount är gjord av kunden :client för faktura :invoice.',
+ 'notification_invoice_sent' => 'Följande kund :client har e-postats fakturan :invoice på :amount.',
+ 'notification_invoice_viewed' => 'Följande kund :client har sett fakturan :invoice på :amount.',
+ 'reset_password' => 'Du kan återställa ditt lösenord genom att klicka på länken nedan:',
+ 'secure_payment' => 'Säker betalning',
+ 'card_number' => 'Kortnummer',
+ 'expiration_month' => 'Giltig till, månad',
+ 'expiration_year' => 'Giltig till, år',
+ 'cvv' => 'CVV',
+ 'logout' => 'Logga ut',
+ 'sign_up_to_save' => 'Registrera dig för att spara ditt arbete',
+ 'agree_to_terms' => 'Jag accepterar :terms',
+ 'terms_of_service' => 'Villkor för tjänsten',
+ 'email_taken' => 'E-postadressen är redan registrerad',
+ 'working' => 'Jobbar',
+ 'success' => 'Lyckades',
+ 'success_message' => 'Du har nu registrerat dig. Klicka på länken i ditt bekräftelsemail för att verifiera din e-postadress.',
+ 'erase_data' => 'Ditt konto är inte registrerat , detta kommer permanent ta bort din information.',
+ 'password' => 'Lösenord',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'Tack för att du väljer Invoice Ninja\'s Pro!
+ Nästa stegEn faktura har skickats till din angivna e-postadress.
+ Var vänlig och följ instruktionerna på fakturan för att betala för ett års
+ Pro fakturering och få tillgång till alla fantastiska Pro-funktioner.
+ Hittar du inte fakturan? Behöver du support? Vi hjälper dig!
+ -- maila oss på contact@invoiceninja.com',
+ 'unsaved_changes' => 'Du har osparade ändringar',
+ 'custom_fields' => 'Anpassade fält',
+ 'company_fields' => 'Företagsfält',
+ 'client_fields' => 'Kundfält',
+ 'field_label' => 'Fältrubrik',
+ 'field_value' => 'Fältvärde',
+ 'edit' => 'Ändra',
+ 'set_name' => 'Ange ditt företagsnamn',
+ 'view_as_recipient' => 'Se som mottagare',
+ 'product_library' => 'Produktbibliotek',
+ 'product' => 'Produkt',
+ 'products' => 'Produkter',
+ 'fill_products' => 'Auto-ifyll produkter',
+ 'fill_products_help' => 'Välj en produkt för att automatiskt fylla i beskrivning och pris',
+ 'update_products' => 'Auto-uppdaterade produkter',
+ 'update_products_help' => 'Uppdatera en faktura för att automatiskt uppdatera produktbiblioteket',
+ 'create_product' => 'Lägg till produkt',
+ 'edit_product' => 'Redigera produkt',
+ 'archive_product' => 'Arkivera produkt',
+ 'updated_product' => 'Produkt uppdaterad',
+ 'created_product' => 'Produkt skapad',
+ 'archived_product' => 'Produkt arkiverad',
+ 'pro_plan_custom_fields' => ':link för att slå på anpassade fält genom att uppgradera till Pro',
+ 'advanced_settings' => 'Avancerade inställningar',
+ 'pro_plan_advanced_settings' => ':link för att slå på avancerade inställningar genom att uppgradera till Pro',
+ 'invoice_design' => 'Fakturadesign',
+ 'specify_colors' => 'Ange färger',
+ 'specify_colors_label' => 'Välj färger som ska användas på fakturan',
+ 'chart_builder' => 'Diagrambyggare',
+ 'ninja_email_footer' => 'Skapad av :site | Skapa. Skicka. Få betalt.',
+ 'go_pro' => 'Uppgradera till Pro',
+ 'quote' => 'Offert',
+ 'quotes' => 'Offerter',
+ 'quote_number' => 'Offertnummer',
+ 'quote_number_short' => 'Offert #',
+ 'quote_date' => 'Offertdatum',
+ 'quote_total' => 'Offertsumma',
+ 'your_quote' => 'Din offert',
+ 'total' => 'Totalsumma',
+ 'clone' => 'Kopiera',
+ 'new_quote' => 'Ny offert',
+ 'create_quote' => 'Skapa offert',
+ 'edit_quote' => 'Ändra offert',
+ 'archive_quote' => 'Arkivera offert',
+ 'delete_quote' => 'Ta bort offert',
+ 'save_quote' => 'Spara offert',
+ 'email_quote' => 'E-posta offert',
+ 'clone_quote' => 'Klona till Offert',
+ 'convert_to_invoice' => 'Omvandla till faktura',
+ 'view_invoice' => 'Visa faktura',
+ 'view_client' => 'Visa kund',
+ 'view_quote' => 'Visa offert',
+ 'updated_quote' => 'Offert uppdaterad',
+ 'created_quote' => 'Offert skapad',
+ 'cloned_quote' => 'Offert kopierad',
+ 'emailed_quote' => 'Offert e-postad',
+ 'archived_quote' => 'Offert arkiverad',
+ 'archived_quotes' => ':count offerter arkiverade',
+ 'deleted_quote' => 'Offert borttagen',
+ 'deleted_quotes' => ':count offerter borttagna',
+ 'converted_to_invoice' => 'Offert konverterad till faktura',
+ 'quote_subject' => 'Ny offert :number från :account',
+ 'quote_message' => 'Klicka på länken nedan för att visa din offert på :amount.',
+ 'quote_link_message' => 'Klicka på länken nedan för att visa din offert:',
+ 'notification_quote_sent_subject' => 'Offert :invoice har skickats till :client',
+ 'notification_quote_viewed_subject' => 'Offert :invoice har setts av :client',
+ 'notification_quote_sent' => 'Följande kunde :client har e-postats offerten :invoice på :amount.',
+ 'notification_quote_viewed' => 'Följande kunder :client har sett offerten :invoice på :amount.',
+ 'session_expired' => 'Din session har avslutats.',
+ 'invoice_fields' => 'Fakturafält',
+ 'invoice_options' => 'Fakturainställningar',
+ 'hide_paid_to_date' => 'Dölj "Betald till"',
+ 'hide_paid_to_date_help' => 'Visa bara "Betald till"-sektionen på fakturan när en betalning har mottagits.',
+ 'charge_taxes' => 'Inkludera moms',
+ 'user_management' => 'Användarhantering',
+ 'add_user' => 'Lägg till användare',
+ 'send_invite' => 'Skicka inbjudan',
+ 'sent_invite' => 'Inbjudan skickad',
+ 'updated_user' => 'Användare uppdaterad',
+ 'invitation_message' => 'Du har blivit inbjuden av :invitor. ',
+ 'register_to_add_user' => 'Registrera dig för att lägga till en användare',
+ 'user_state' => 'Status',
+ 'edit_user' => 'Ändra användare',
+ 'delete_user' => 'Ta bort användare',
+ 'active' => 'Aktiv',
+ 'pending' => 'Pågående',
+ 'deleted_user' => 'Användare borttagen',
+ 'confirm_email_invoice' => 'Är du säker på att du vill e-posta denna fakturan?',
+ 'confirm_email_quote' => 'Är du säker på att du vill e-posta denna offerten?',
+ 'confirm_recurring_email_invoice' => 'Återkommande fakturor är påslaget, är du säker på att du vill e-post denna fakturan?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Avsluta konto',
+ 'cancel_account_message' => 'Varning: Detta kommer permanent ta bort ditt konto, detta går inte att ångra.',
+ 'go_back' => 'Tillbaka',
+ 'data_visualizations' => 'Datavisualisering',
+ 'sample_data' => 'Exempeldata visas',
+ 'hide' => 'Dölj',
+ 'new_version_available' => 'En ny version av :releases_link finns tillgänglig. Du kör just nu v:user_version och senaste är v:latest_version',
+ 'invoice_settings' => 'Fakturainställningar',
+ 'invoice_number_prefix' => 'Fakturaprefix',
+ 'invoice_number_counter' => 'Fakturaräknare',
+ 'quote_number_prefix' => 'Offertprefix',
+ 'quote_number_counter' => 'Offerträknare',
+ 'share_invoice_counter' => 'Dela fakturaräknare',
+ 'invoice_issued_to' => 'Faktura ställd till',
+ 'invalid_counter' => 'För att undvika nummerkonflikt så bör antingen faktura- eller offertprefix anges',
+ 'mark_sent' => 'Markera skickad',
+ 'gateway_help_1' => ':link för att registrera dig på Authorize.net.',
+ 'gateway_help_2' => ':link för att registrera dig på Authorize.net.',
+ 'gateway_help_17' => ':link för att hämta din PayPal API-nyckel.',
+ 'gateway_help_27' => ':link för att registrera dig för 2Checkout.com. För att säkerställa att betalningar spåras :complete_link som den omdirigeringsadressen under Konto> Platshantering i 2Checkout portalen.',
+ 'gateway_help_60' => ':link för att skapa WePay konto',
+ 'more_designs' => 'Fler fakturalayouter',
+ 'more_designs_title' => 'Fler fakturalayouter',
+ 'more_designs_cloud_header' => 'Uppgrader till Pro för fler fakturalayouter',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Köp',
+ 'bought_designs' => 'Fler fakturalayouter tillagda',
+ 'sent' => 'Skickat',
+ 'vat_number' => 'Momsregistreringsnummer',
+ 'timesheets' => 'Tidrapporter',
+ 'payment_title' => 'Ange din fakturaadress och betalkortsinformation',
+ 'payment_cvv' => '*Detta är det 3-4 siffriga nummret på baksidan av kortet',
+ 'payment_footer1' => '*Fakturaadressen måste stämma överens med adressen kopplad till betalkortet.',
+ 'payment_footer2' => '*Klicka bara en gång på "BETALA NU" - transaktionen kan ta upp till 1 minut att behandla.',
+ 'id_number' => 'ID-nummer',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'White label licens köpt',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'Återställ',
+ 'restore_invoice' => 'Återställ faktura',
+ 'restore_quote' => 'Återställ offert',
+ 'restore_client' => 'Återställ kund',
+ 'restore_credit' => 'Återställ kreditfaktura',
+ 'restore_payment' => 'Återställ betalning',
+ 'restored_invoice' => 'Faktura återställd',
+ 'restored_quote' => 'Offert återställd',
+ 'restored_client' => 'Kund återställd',
+ 'restored_payment' => 'betalning återställd',
+ 'restored_credit' => 'Kreditfaktura återställd',
+ 'reason_for_canceling' => 'Hjälp oss bli bättre genom att berätta varför du lämnar oss.',
+ 'discount_percent' => 'Procent',
+ 'discount_amount' => 'Summa',
+ 'invoice_history' => 'Fakturahistorik',
+ 'quote_history' => 'Offerthistorik',
+ 'current_version' => 'Nuvarande version',
+ 'select_version' => 'Välj version',
+ 'view_history' => 'Visa historik',
+ 'edit_payment' => 'Ändra betalning',
+ 'updated_payment' => 'Betalning uppdaterad',
+ 'deleted' => 'Ta bort',
+ 'restore_user' => 'Återställ användare',
+ 'restored_user' => 'Användare återställd',
+ 'show_deleted_users' => 'Visa borttagna användare',
+ 'email_templates' => 'E-post mallar',
+ 'invoice_email' => 'Faktura e-post',
+ 'payment_email' => 'Betalnings e-post',
+ 'quote_email' => 'Offert e-post',
+ 'reset_all' => 'Återställ allt',
+ 'approve' => 'Godkänn',
+ 'token_billing_type_id' => 'Token fakturering',
+ 'token_billing_help' => 'Lagra betalnings info med WePay, Stripe, Braintree eller GoCardless.',
+ 'token_billing_1' => 'Avstängd',
+ 'token_billing_2' => 'Opt-in - Checkbox visas men är inte förvald',
+ 'token_billing_3' => 'Opt-out - Checkbox visas och är förvald',
+ 'token_billing_4' => 'alltid',
+ 'token_billing_checkbox' => 'Spara betalkortsinformation',
+ 'view_in_gateway' => 'Visa i :gateway',
+ 'use_card_on_file' => 'Använd kort på fil',
+ 'edit_payment_details' => 'Ändra betalningsdetaljer',
+ 'token_billing' => 'Spara kortinformation',
+ 'token_billing_secure' => 'Data sparas säkert med :link',
+ 'support' => 'Support',
+ 'contact_information' => 'Kontaktinformation',
+ '256_encryption' => '256-bitars kryptering',
+ 'amount_due' => 'Belopp att betala',
+ 'billing_address' => 'Fakturaadress',
+ 'billing_method' => 'Faktureringsmetod',
+ 'order_overview' => 'Orderöversikt',
+ 'match_address' => '*Adressen måste stämma överens med adressen kopplad till betalkortet.',
+ 'click_once' => '*Klicka bara en gång på "BETALA NU" - transaktionen kan ta upp till 1 minut att behandla.',
+ 'invoice_footer' => 'Faktura sidfot',
+ 'save_as_default_footer' => 'Spara som standard sidfot',
+ 'token_management' => 'Token hantering',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'Lägg till token',
+ 'show_deleted_tokens' => 'Visa borttagna tokens',
+ 'deleted_token' => 'Token borttagen',
+ 'created_token' => 'Token skapad',
+ 'updated_token' => 'Token uppdaterad',
+ 'edit_token' => 'Ändra token',
+ 'delete_token' => 'Ta bort token',
+ 'token' => 'Token',
+ 'add_gateway' => 'Lägg till gateway',
+ 'delete_gateway' => 'Ta bort gateway',
+ 'edit_gateway' => 'Ändra gateway',
+ 'updated_gateway' => 'Gateway uppdaterad',
+ 'created_gateway' => 'Gateway skapad',
+ 'deleted_gateway' => 'Gateway borttagen',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Betalkort',
+ 'change_password' => 'Ändra lösenord',
+ 'current_password' => 'Nuvarande lösenord',
+ 'new_password' => 'Nytt lösenord',
+ 'confirm_password' => 'Bekräfta lösenord',
+ 'password_error_incorrect' => 'Nuvarande lösenord är felaktigt.',
+ 'password_error_invalid' => 'Det nya lösenordet är felaktigt.',
+ 'updated_password' => 'Lösenord uppdaterat',
+ 'api_tokens' => 'API Tokens',
+ 'users_and_tokens' => 'Användare och tokens',
+ 'account_login' => 'Inloggning',
+ 'recover_password' => 'Återställ ditt lösenord',
+ 'forgot_password' => 'Glömt ditt lösenord?',
+ 'email_address' => 'E-post adress',
+ 'lets_go' => 'Kör på',
+ 'password_recovery' => 'Återställ lösenord',
+ 'send_email' => 'Skicka epost',
+ 'set_password' => 'Ange lösenord',
+ 'converted' => 'Konvertera',
+ 'email_approved' => 'Mejla mig när offerten är godkänd',
+ 'notification_quote_approved_subject' => 'Offert :invoice är godkänd av :client',
+ 'notification_quote_approved' => 'Följande klient :client godkände Offert :invoice för :amount',
+ 'resend_confirmation' => 'Skicka om bekräftelse e-post',
+ 'confirmation_resent' => 'Bekräftelse e-post omskickat',
+ 'gateway_help_42' => ':link för att registrera dig för BitPay
Notering: Använd en Legacy API-nyckel, inte en API-token.',
+ 'payment_type_credit_card' => 'Betalkort',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Knskapsdatabas',
+ 'partial' => 'delinsättning',
+ 'partial_remaining' => ':partial av :balance',
+ 'more_fields' => 'Fler fält',
+ 'less_fields' => 'Färre fält',
+ 'client_name' => 'Kundnamn',
+ 'pdf_settings' => 'PDF Settings',
+ 'product_settings' => 'Produkt inställningar',
+ 'auto_wrap' => 'Automatisk Rad Byte',
+ 'duplicate_post' => 'Varning: föregående sida var inlämnad två gånger. Den andra inlämningen blev ignorerad.',
+ 'view_documentation' => 'se dokumentation',
+ 'app_title' => 'Gratis Open-Source online fakturering',
+ 'app_description' => 'Invoice Ninja är en gratis, öppen programvarulösning för fakturering av kunder. Med Invoice Ninja kan ni lätt skapa och skicka snygga fakturor från vilken teknisk utrustning som helst som har tillgång till internet. Era kunder kan skriva ut era fakturor, ladda ner dem som pdf-filer, och betala online.',
+ 'rows' => 'rader',
+ 'www' => 'www',
+ 'logo' => 'Logotyp',
+ 'subdomain' => 'Underdomän',
+ 'provide_name_or_email' => 'Ange ett namn eller epost',
+ 'charts_and_reports' => 'Listor och rapporter',
+ 'chart' => 'Lista',
+ 'report' => 'Rapport',
+ 'group_by' => 'Gruppera genom',
+ 'paid' => 'Betald',
+ 'enable_report' => 'Rapport',
+ 'enable_chart' => 'Lista',
+ 'totals' => 'Total',
+ 'run' => 'Kör',
+ 'export' => 'Exportera',
+ 'documentation' => 'Dokumentation',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Återkommande',
+ 'last_invoice_sent' => 'Senaste fakturan skickad :date',
+ 'processed_updates' => 'Lyckad genomförd uppdatering',
+ 'tasks' => 'Uppgifter',
+ 'new_task' => 'Ny uppgift',
+ 'start_time' => 'Start-tid',
+ 'created_task' => 'Framgångsrikt skapad uppgift',
+ 'updated_task' => 'Lyckad uppdatering av uppgift',
+ 'edit_task' => 'Redigera uppgift',
+ 'archive_task' => 'Arkivera uppgift',
+ 'restore_task' => 'Återställa uppgift',
+ 'delete_task' => 'Radera uppgift',
+ 'stop_task' => 'Avbryt uppgift',
+ 'time' => 'Tid',
+ 'start' => 'Start',
+ 'stop' => 'Stoppa',
+ 'now' => 'Nu',
+ 'timer' => 'Timer',
+ 'manual' => 'Manuell',
+ 'date_and_time' => 'Datum & Tid',
+ 'second' => 'Sekund',
+ 'seconds' => 'Sekunder',
+ 'minute' => 'Minut',
+ 'minutes' => 'Minuter',
+ 'hour' => 'Timme',
+ 'hours' => 'Timmar',
+ 'task_details' => 'Uppgift information',
+ 'duration' => 'Varaktighet',
+ 'end_time' => 'Sluttid',
+ 'end' => 'Slut',
+ 'invoiced' => 'Fakturerad',
+ 'logged' => 'Loggat',
+ 'running' => 'Körs',
+ 'task_error_multiple_clients' => 'Uppgiften kan ej tillhöra olika kunder',
+ 'task_error_running' => 'Avsluta uppgift som körs först',
+ 'task_error_invoiced' => 'Uppgift har redan blivit fakturerad',
+ 'restored_task' => 'Framgångsrikt återställd uppgift',
+ 'archived_task' => 'Framgångsrikt arkiverad uppgift',
+ 'archived_tasks' => 'Framgångsrikt arkiverade :count uppgifter',
+ 'deleted_task' => 'Framgångsrikt raderad uppgift',
+ 'deleted_tasks' => 'Framgångsrikt raderade :count uppgifter',
+ 'create_task' => 'Skapa uppgift',
+ 'stopped_task' => 'Framgångsrikt stoppad uppgift',
+ 'invoice_task' => 'Fakturera uppgift',
+ 'invoice_labels' => 'Faktura märkning',
+ 'prefix' => 'Prefix',
+ 'counter' => 'Räknare',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link för att registrera för Dwolla.',
+ 'partial_value' => 'Måste vara större än noll och mindre än totalen',
+ 'more_actions' => 'Fler åtgärder',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Uppgradera Nu!',
+ 'pro_plan_feature1' => 'Skapa obegränsat antal kunder',
+ 'pro_plan_feature2' => 'Tillgång till 10 snygga faktura utformningar',
+ 'pro_plan_feature3' => 'Egna URLer - "dindoman.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'Radera "Skapad av Invoice Ninja"',
+ 'pro_plan_feature5' => 'Fleranvändare tillgång & aktivitet spårning',
+ 'pro_plan_feature6' => 'Skapa offerter & provisoriska fakturor',
+ 'pro_plan_feature7' => 'Skräddarsy fakturafält, rubriker och numrering',
+ 'pro_plan_feature8' => 'Valmöjlighet att bifoga PDF-filer till kunds e-post',
+ 'resume' => 'Återuppta',
+ 'break_duration' => 'Mellanrum',
+ 'edit_details' => 'Redigera uppgifter',
+ 'work' => 'Arbete',
+ 'timezone_unset' => 'Vänligen använd :link för att ställa in din tidszon',
+ 'click_here' => 'klicka här',
+ 'email_receipt' => 'E-posta kvitto till kunden',
+ 'created_payment_emailed_client' => 'Skapade framgångsrikt betalning och e-postade kund',
+ 'add_company' => 'Lägg till företag',
+ 'untitled' => 'Obetitlad',
+ 'new_company' => 'Nytt företag',
+ 'associated_accounts' => 'Framgångsrikt sammankopplade konton',
+ 'unlinked_account' => 'Framgångsrikt olänkade konton',
+ 'login' => 'Logga in',
+ 'or' => 'eller',
+ 'email_error' => 'Det uppstod ett problem med att skicka e-post',
+ 'confirm_recurring_timing' => 'Observera: E-post skickas vid timmens början',
+ 'confirm_recurring_timing_not_sent' => 'Observera: Fakturor skapas vid timmens början.',
+ 'payment_terms_help' => 'Ställ in standard faktura förfallodatum',
+ 'unlink_account' => 'Olänka konto',
+ 'unlink' => 'Olänka',
+ 'show_address' => 'Visa adress',
+ 'show_address_help' => 'Kräv kund att meddela faktura-adress ',
+ 'update_address' => 'Uppdatera adress',
+ 'update_address_help' => 'Uppdatera kundens adress med tillhandahållna uppgifter',
+ 'times' => 'Tider',
+ 'set_now' => 'Satt till nu',
+ 'dark_mode' => 'Mörkt läge',
+ 'dark_mode_help' => 'Använd en mörk bakgrund för sidebars',
+ 'add_to_invoice' => 'Lägg till på faktura :invoice',
+ 'create_new_invoice' => 'Skapa ny faktura',
+ 'task_errors' => 'Korrigera överlappande tider',
+ 'from' => 'Från',
+ 'to' => 'Till',
+ 'font_size' => 'Storlek på framsida',
+ 'primary_color' => 'Primär färg',
+ 'secondary_color' => 'Sekundär färg',
+ 'customize_design' => 'Skräddarsy utformning',
+ 'content' => 'Innehåll',
+ 'styles' => 'Utformningar',
+ 'defaults' => 'Förinställningar',
+ 'margins' => 'Marginaler',
+ 'header' => 'Rubrik',
+ 'footer' => 'Sidfot',
+ 'custom' => 'Utforma',
+ 'invoice_to' => 'Faktura till',
+ 'invoice_no' => 'Faktura nr.',
+ 'quote_no' => 'Offert nr.',
+ 'recent_payments' => 'Nyligen utförda betalningar',
+ 'outstanding' => 'Utestående/Obetalt',
+ 'manage_companies' => 'Hantera företag',
+ 'total_revenue' => 'Totala intäkter',
+ 'current_user' => 'Befintlig användare',
+ 'new_recurring_invoice' => 'Ny återkommande faktura',
+ 'recurring_invoice' => 'Återkommande faktura',
+ 'new_recurring_quote' => 'Ny återkommande offert',
+ 'recurring_quote' => 'Återkommande offert',
+ 'recurring_too_soon' => 'Det är för tidigt att skapa nästa återkommande faktura, den är schemalagd för :date',
+ 'created_by_invoice' => 'Skapad av :invoice',
+ 'primary_user' => 'Primär användare',
+ 'help' => 'Hjälp',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'Supportforum',
+ 'invoice_due_date' => 'Förfallodatum',
+ 'quote_due_date' => 'Giltig till',
+ 'valid_until' => 'Giltig till',
+ 'reset_terms' => 'Återställ villkor',
+ 'reset_footer' => 'Återställ sidfot',
+ 'invoice_sent' => ':count fakturor skickade',
+ 'invoices_sent' => ':count fakturor skickade',
+ 'status_draft' => 'Utkast',
+ 'status_sent' => 'Skickat',
+ 'status_viewed' => 'Granskad/Tittad på',
+ 'status_partial' => 'Del',
+ 'status_paid' => 'Betald',
+ 'status_unpaid' => 'Obetald',
+ 'status_all' => 'Alla',
+ 'show_line_item_tax' => 'Visa Linje produkt moms i kö',
+ 'iframe_url' => 'Webbsida',
+ 'iframe_url_help1' => 'Kopiera följande kod till en sida på din webbplats',
+ 'iframe_url_help2' => 'Du kan testa utseendet på en faktura genom att klicka "titta som mottagare" ',
+ 'auto_bill' => 'Auto debitera',
+ 'military_time' => '24 Timmars tid',
+ 'last_sent' => 'Senast skickat/skickade',
+ 'reminder_emails' => 'Påminnelse e-post',
+ 'templates_and_reminders' => 'Mallar & Påminnelser',
+ 'subject' => 'Subject',
+ 'body' => 'Organisation/Avdelning',
+ 'first_reminder' => 'Första Påminnelse',
+ 'second_reminder' => 'Andra Påminnelse',
+ 'third_reminder' => 'Tredje Påminnelse',
+ 'num_days_reminder' => 'Dagar efter förfallodatum',
+ 'reminder_subject' => 'Påminnelse: Faktura :invoice från :account',
+ 'reset' => 'Återställa',
+ 'invoice_not_found' => 'Den efterfrågade fakturan är inte tillgänglig',
+ 'referral_program' => 'Referensprogram',
+ 'referral_code' => 'Referens URL',
+ 'last_sent_on' => 'Senast skickat: :date',
+ 'page_expire' => 'Denna sida kommer att utgå snart, :click_here för att fortsätta arbeta',
+ 'upcoming_quotes' => 'Kommande Offerter',
+ 'expired_quotes' => 'Utgångna Offerter',
+ 'sign_up_using' => 'Registrera dig med hjälp av',
+ 'invalid_credentials' => 'Dessa uppgifter matchar inte våra register',
+ 'show_all_options' => 'Visa alla alternativ',
+ 'user_details' => 'Användaruppgifter',
+ 'oneclick_login' => 'Kopplat konto',
+ 'disable' => 'inaktivera',
+ 'invoice_quote_number' => 'Faktura och Offert Nummer',
+ 'invoice_charges' => 'faktura tilläggsavgifter',
+ 'notification_invoice_bounced' => 'Det finns ingen möjlighet att leverera :invoice till :contact.',
+ 'notification_invoice_bounced_subject' => 'Ej möjligt att leverera faktura :invoice',
+ 'notification_quote_bounced' => 'Ej möjligt att leverera Quote :invoice till :contact.',
+ 'notification_quote_bounced_subject' => 'Ej möjligt att leverera Quote :invoice',
+ 'custom_invoice_link' => 'Modiferad Faktura Länk',
+ 'total_invoiced' => 'Totalt fakturerat',
+ 'open_balance' => 'Resterande belopp',
+ 'verify_email' => 'Besök länken i e-post kontobekräftelsen för att verifiera din email adress',
+ 'basic_settings' => 'Grundläggande inställningar',
+ 'pro' => 'Pro',
+ 'gateways' => 'Betalningsgateway',
+ 'next_send_on' => 'Skicka nästa: :date',
+ 'no_longer_running' => 'Denna faktura är inte schemalagd att köras',
+ 'general_settings' => 'Generella inställningar',
+ 'customize' => 'Skräddarsy',
+ 'oneclick_login_help' => 'Anslut ett konto att logga in utan lösenord',
+ 'referral_code_help' => 'Tjäna pengar genom att dela vår app online',
+ 'enable_with_stripe' => 'Aktivera | Kräv Stripe',
+ 'tax_settings' => 'Moms inställningar',
+ 'create_tax_rate' => 'Lägg till momssats/skattenivå',
+ 'updated_tax_rate' => 'Framgångsrikt uppdaterad momssats',
+ 'created_tax_rate' => 'Framgångsrikt skapat skattesats ',
+ 'edit_tax_rate' => 'Redigera skattenivå',
+ 'archive_tax_rate' => 'Arkivera skattenivå',
+ 'archived_tax_rate' => 'Framgångsrikt arkiverat skattenivån/momssatsen',
+ 'default_tax_rate_id' => 'Förinställd skattenivå/momssats',
+ 'tax_rate' => 'Skattenivå',
+ 'recurring_hour' => 'Återkommande Timme',
+ 'pattern' => 'Mönster',
+ 'pattern_help_title' => 'Mönster Hjälp',
+ 'pattern_help_1' => 'Skapa anpassade nummer genom att ange ett mönster.',
+ 'pattern_help_2' => 'Tillgängliga variabler:',
+ 'pattern_help_3' => 'Till exempel, :example hade konverterats till :value',
+ 'see_options' => 'Se alternativ',
+ 'invoice_counter' => 'Faktura räknare',
+ 'quote_counter' => 'Offert räknare',
+ 'type' => 'Typ',
+ 'activity_1' => ':user skapade kund :client',
+ 'activity_2' => ':user arkiverade kund :client',
+ 'activity_3' => ':user raderade kund :client',
+ 'activity_4' => ':user skapade faktura :invoice',
+ 'activity_5' => ':user uppdaterade faktura :invoice',
+ 'activity_6' => ':user e-postade faktura :invoice till :contact',
+ 'activity_7' => ':contact granskade faktura :invoice',
+ 'activity_8' => ':user arkiverade faktura :invoice',
+ 'activity_9' => ':user raderade faktura :invoice',
+ 'activity_10' => ':contact skickade betalning :payment för :invoice',
+ 'activity_11' => ':user uppdaterade betalning :payment',
+ 'activity_12' => ':user arkiverade betalning :payment',
+ 'activity_13' => ':user tog bort betalning :payment',
+ 'activity_14' => ':user skickade in :credit kredit',
+ 'activity_15' => ':user updaterade :credit kredit',
+ 'activity_16' => ':user arkiverade :credit kredit',
+ 'activity_17' => ':user tog bort :credit kredit',
+ 'activity_18' => ':user skapade offert :quote',
+ 'activity_19' => ':user uppdaterade offert :quote',
+ 'activity_20' => ':user e-postade offert :quote till :contact',
+ 'activity_21' => ':contact visade offert :quote',
+ 'activity_22' => ':user arkiverade offert :quote',
+ 'activity_23' => ':user tog bort offert :quote',
+ 'activity_24' => ':user återställde offert :quote',
+ 'activity_25' => ':user återställde Faktura :invoice',
+ 'activity_26' => ':user återställde klient :client',
+ 'activity_27' => ':user återställde betalning :payment',
+ 'activity_28' => ':user återställde :credit kredit',
+ 'activity_29' => ':contact godkände offert :quote',
+ 'activity_30' => ':user skapade leverantör :vendor',
+ 'activity_31' => ':user arkiverade leverantör :vendor',
+ 'activity_32' => ':user tog bort leverantör :vendor',
+ 'activity_33' => ':user återställde leverantör :vendor',
+ 'activity_34' => ':user skapade kostnad :expense',
+ 'activity_35' => ':user arkiverade kostnad :expense',
+ 'activity_36' => ':user tog bort kostnad :expense',
+ 'activity_37' => ':user återställde kostnad :expense',
+ 'activity_42' => ':user skapade uppgift :task',
+ 'activity_43' => ':user uppdaterade uppgift :task',
+ 'activity_44' => ':user arkiverade uppgift :task',
+ 'activity_45' => ':user tog bort uppgift :task',
+ 'activity_46' => ':user återställde uppgift :task',
+ 'activity_47' => ':user uppdaterade kostnad :expense',
+ 'payment' => 'Betalning',
+ 'system' => 'System',
+ 'signature' => 'E-post Signatur',
+ 'default_messages' => 'Standardmeddelanden',
+ 'quote_terms' => 'Offertvillkor',
+ 'default_quote_terms' => 'Standard Offertvillkor',
+ 'default_invoice_terms' => 'Ange standard fakturavillkor',
+ 'default_invoice_footer' => 'Ange som standard faktura sidfot',
+ 'quote_footer' => 'Offert footer',
+ 'free' => 'Gratis',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Tillämpa kredit',
+ 'system_settings' => 'Systmeinställningar',
+ 'archive_token' => 'Arkivera Token',
+ 'archived_token' => 'Framgångsrikt arkiverat Token',
+ 'archive_user' => 'Arkivera Användare',
+ 'archived_user' => 'Framgångsrikt arkiverat användare',
+ 'archive_account_gateway' => 'Arkivera Gateway',
+ 'archived_account_gateway' => 'Framgångsrikt arkiverat gateway',
+ 'archive_recurring_invoice' => 'Arkivera återkommande faktura',
+ 'archived_recurring_invoice' => 'Framgångsrikt arkiverat återkommande faktura',
+ 'delete_recurring_invoice' => 'Ta bort återkommande faktura',
+ 'deleted_recurring_invoice' => 'Framgångsrikt tagit bort återkommande faktura',
+ 'restore_recurring_invoice' => 'Återställ återkommande faktura',
+ 'restored_recurring_invoice' => 'Framgångsrikt återställt återkommande faktura',
+ 'archive_recurring_quote' => 'Arkivera återkommande offert',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Ta bort återkommande offert',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Återställ återkommande offert',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Arkiverad',
+ 'untitled_account' => 'Namnlöst Företag',
+ 'before' => 'Före',
+ 'after' => 'Efter',
+ 'reset_terms_help' => 'Återställ till standard konto villkor',
+ 'reset_footer_help' => 'Återställ till standard konto footer',
+ 'export_data' => 'Exportera data',
+ 'user' => 'Användare',
+ 'country' => 'Land',
+ 'include' => 'Inkludera',
+ 'logo_too_large' => 'Din logotyp är :size, för bättre PDF-prestanda rekommenderar vi en filstorlek på mindre än 200KB',
+ 'import_freshbooks' => 'Importera från FreshBooks',
+ 'import_data' => 'Importera Data',
+ 'source' => 'Källa',
+ 'csv' => 'CSV',
+ 'client_file' => 'Klientfil',
+ 'invoice_file' => 'Fakturafil',
+ 'task_file' => 'Uppgiftsfil',
+ 'no_mapper' => 'Ingen giltig mappning för fil',
+ 'invalid_csv_header' => 'Ogiltig CSV huvud',
+ 'client_portal' => 'Klient Portal',
+ 'admin' => 'Admin',
+ 'disabled' => 'Avstängd',
+ 'show_archived_users' => 'Visa arkiverade användare',
+ 'notes' => 'Notis',
+ 'invoice_will_create' => 'Faktura kommer skapas',
+ 'invoices_will_create' => 'fakturor kommer skapas',
+ 'failed_to_import' => 'Följande fält misslyckades att importeras, antingen finns dom redan eller saknar obligatoriska fält.',
+ 'publishable_key' => 'Publik nyckel',
+ 'secret_key' => 'Hemlig nyckel',
+ 'missing_publishable_key' => 'Sätt din Stripe publicerbara nyckel för förbättrad utcheckningsprocess.',
+ 'email_design' => 'E-post design',
+ 'due_by' => 'Förfallodag :date',
+ 'enable_email_markup' => 'Aktivera märkning',
+ 'enable_email_markup_help' => 'Gör det enklare för dina klienter att betala genom att lägga till schema.org märkning till dina e-post.',
+ 'template_help_title' => 'Mallhjälp',
+ 'template_help_1' => 'Tillgängliga variabler:',
+ 'email_design_id' => 'E-post stil',
+ 'email_design_help' => 'Få din e-post att se mer professionella ut med HTML layout.',
+ 'plain' => 'Vanlig',
+ 'light' => 'Ljus',
+ 'dark' => 'Mörk',
+ 'industry_help' => 'Används för att ge jämförelser mot genomsnitten för företag med liknande storlek och bransch.',
+ 'subdomain_help' => 'Ställ in subdomänen eller visa fakturorna på din egen hemsida',
+ 'website_help' => 'Visa fakturan i en iFrame på din hemsida',
+ 'invoice_number_help' => 'Specifiera ett prefix eller anpassat mönster för att dynamiskt sätta fakturanummer.',
+ 'quote_number_help' => 'Specifiera ett prefix eller använd ett anpassat mönster för att dynamiskt sätta offert nummer.',
+ 'custom_client_fields_helps' => 'Lägg till ett fält när en kund skapas och visa rubriken samt värdet om du önskar på PDF. ',
+ 'custom_account_fields_helps' => 'Lägg till en etikett och värde för företagsinformationsdelen av PDF.',
+ 'custom_invoice_fields_helps' => 'Lägg till ett fält när en faktura skapas och visa rubriken samt värdet om du önskar på PDF. ',
+ 'custom_invoice_charges_helps' => 'Lägga till ett fält när du skapar en faktura och inkludera laddningen i faktura delsummor.',
+ 'token_expired' => 'Valideringstoken har gått ut. Snälla försök igen.',
+ 'invoice_link' => 'Faktura länk',
+ 'button_confirmation_message' => 'Klicka för att bekräfta din e-post adress.',
+ 'confirm' => 'Bekräfta',
+ 'email_preferences' => 'E-post inställningar',
+ 'created_invoices' => 'Framgångsrikt skapat :count faktur(a/or)',
+ 'next_invoice_number' => 'Nästa fakturanummer är :number.',
+ 'next_quote_number' => 'Nästa offert nummer är :number',
+ 'days_before' => 'dagar före',
+ 'days_after' => 'dagar efter',
+ 'field_due_date' => 'förfallodatum',
+ 'field_invoice_date' => 'faktura datum',
+ 'schedule' => 'Schema',
+ 'email_designs' => 'E-post designs',
+ 'assigned_when_sent' => 'Genereras vid skapande',
+ 'white_label_purchase_link' => 'Köp en white label licens',
+ 'expense' => 'Utgift',
+ 'expenses' => 'Utgifter',
+ 'new_expense' => 'Ny Kostnad',
+ 'enter_expense' => 'Skriv in Kostnad',
+ 'vendors' => 'Leverantörer',
+ 'new_vendor' => 'Ny leverantör',
+ 'payment_terms_net' => 'Netto',
+ 'vendor' => 'Leverantör',
+ 'edit_vendor' => 'Ändra leverantör',
+ 'archive_vendor' => 'Arkivera leverantör',
+ 'delete_vendor' => 'Ta bort leverantör',
+ 'view_vendor' => 'Se Leverantör',
+ 'deleted_expense' => 'Framgångsrikt tagit bort kostnad',
+ 'archived_expense' => 'Framgångsrikt arkiverat kostnad',
+ 'deleted_expenses' => 'Framgångsrikt tagit bort kostnader',
+ 'archived_expenses' => 'Framgångsrikt arkiverat kostnader',
+ 'expense_amount' => 'Kostnadsbelopp',
+ 'expense_balance' => 'Kostnads balans',
+ 'expense_date' => 'Kostnads datum',
+ 'expense_should_be_invoiced' => 'Ska denna kostnad faktureras?',
+ 'public_notes' => 'Publika noteringar',
+ 'invoice_amount' => 'Faktura belopp',
+ 'exchange_rate' => 'Växlingskurs',
+ 'yes' => 'Ja',
+ 'no' => 'Nej',
+ 'should_be_invoiced' => 'Ska detta faktureras',
+ 'view_expense' => 'Visa kostnad # :expense',
+ 'edit_expense' => 'Redigera kostnad',
+ 'archive_expense' => 'Arkivera kostnad',
+ 'delete_expense' => 'Ta bort kostnad',
+ 'view_expense_num' => 'Kostnad # :expense',
+ 'updated_expense' => 'Framgångsrikt uppdaterat kostnad',
+ 'created_expense' => 'Framgångsrikt skapat kostnad',
+ 'enter_expense' => 'Skriv in Kostnad',
+ 'view' => 'Visa',
+ 'restore_expense' => 'Återställ kostnad',
+ 'invoice_expense' => 'Faktura kostnad',
+ 'expense_error_multiple_clients' => 'Kostnaderna kan inte tillhöra olika klienter',
+ 'expense_error_invoiced' => 'Kostnad har redan blivit fakturerad',
+ 'convert_currency' => 'Konvertera valuta',
+ 'num_days' => 'Antal dagar',
+ 'create_payment_term' => 'Skapa betalningsvillkor',
+ 'edit_payment_terms' => 'Editera betalningsvillkor',
+ 'edit_payment_term' => 'Editera betalningsvillkor',
+ 'archive_payment_term' => 'Arkivera betalningsvillkor',
+ 'recurring_due_dates' => 'Återkommande faktura förfallodatum',
+ 'recurring_due_date_help' => ' Sätter automatiskt ett förfallodatum för fakturan. P>
+
Fakturor på en månadsvis eller årlig cykel, på eller före den dag de skapas kommer att bero på nästa månad. Fakturor som förfaller på den 29: e eller 30: e månader som inte har den dagen kommer att betalas den sista dagen i månaden. P>
+
fakturor på en veckocykeln beror på dagen för veckan de skapas kommer att bero på nästa vecka p>
+
till exempel:. p>
+
+ - Idag är den 15: e, är förfallodag första i månaden. Förfallodagen skulle sannolikt vara den första nästa månad. Li>
+
- Idag är den 15: e, då är förfallodagen den sista dagen i månaden. Förfallodagen blir den sista dagen av denna månad.
+ li>
+
- Idag är den 15: e, är förfallodagen den 15: e dagen i månaden. Förfallodagen är den 15: e dagen av Nästa strong> månad.
+ li>
+
- Är idagg en fredag, är förfallodagen den 1: a fredag efter. Förfallodagen kommer att vara nästa fredag, inte idag.
+ li>
+ ul>',
+ 'due' => 'förfallen',
+ 'next_due_on' => 'Förfallen nästa :',
+ 'use_client_terms' => 'Använd klient villkor',
+ 'day_of_month' => ':ordinal dag i månaden',
+ 'last_day_of_month' => 'Sista dagen i månaden',
+ 'day_of_week_after' => ':ordinal :day efter',
+ 'sunday' => 'Söndag',
+ 'monday' => 'Måndag',
+ 'tuesday' => 'Tisdag',
+ 'wednesday' => 'Onsdag',
+ 'thursday' => 'Torsdag',
+ 'friday' => 'Fredag',
+ 'saturday' => 'Lördag',
+ 'header_font_id' => 'Header Font',
+ 'body_font_id' => 'Body Font',
+ 'color_font_help' => 'Notering: Den primära färgen och fonterna används också i klient portalen och anpassade e-post designerna.',
+ 'live_preview' => 'Live förhandsgranskning',
+ 'invalid_mail_config' => 'Oförmögen att skicka mejl, vänligen kontrollera att e-post inställningarna är korrekta.',
+ 'invoice_message_button' => 'För att visa din faktura på :amount, klicka på knappen nedan.',
+ 'quote_message_button' => 'För att visa din offert på :amount, klicka på knappen nedan.',
+ 'payment_message_button' => 'Tack för din betalning på :amount.',
+ 'payment_type_direct_debit' => 'Direktbetalning',
+ 'bank_accounts' => 'Betalkort och Banker',
+ 'add_bank_account' => 'Lägg till Bankkonto',
+ 'setup_account' => 'Sätt upp konto',
+ 'import_expenses' => 'Importera kostnader',
+ 'bank_id' => 'Bank',
+ 'integration_type' => 'Integreringstyp',
+ 'updated_bank_account' => 'Framgångsrikt uppdaterat bankkonto',
+ 'edit_bank_account' => 'Editera Bankkonto',
+ 'archive_bank_account' => 'Arkivera Bankkonto',
+ 'archived_bank_account' => 'Framgångsrikt arkiverat bankkonto',
+ 'created_bank_account' => 'Framgångsrikt skapat bankkonto',
+ 'validate_bank_account' => 'Validera Bankkonto',
+ 'bank_password_help' => 'Notera: ditt lösenord överförs säkert och lagras aldrig på våra servrar.',
+ 'bank_password_warning' => 'Varning: ditt lösenord kan överföras i klartext, överväg att aktivera HTTPS.',
+ 'username' => 'Användarnamn',
+ 'account_number' => 'Kontonummer',
+ 'account_name' => 'Kontonamn',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Godkänd',
+ 'quote_settings' => 'Offert inställningar.',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Konvertera automatiskt en offert till en faktura när den godkänts av en klient.',
+ 'validate' => 'Validera',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Framgångsrikt skapat :count_vendors leverantör(er) och :count_expenses kostnad(er)',
+ 'iframe_url_help3' => 'Notera: Om du planerar att acceptera kreditkort uppgifter, rekommenderas vi att ni aktivera HTTPs på er sida.',
+ 'expense_error_multiple_currencies' => 'Kostnaderna kan inte ha olika valutor.',
+ 'expense_error_mismatch_currencies' => 'Klientens valuta matchar inte valutan på kostnaden.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'Första sidan',
+ 'all_pages' => 'Alla sidor',
+ 'last_page' => 'Sista sidan',
+ 'all_pages_header' => 'Visa Header på',
+ 'all_pages_footer' => 'Visa Footer på',
+ 'invoice_currency' => 'Faktura valuta',
+ 'enable_https' => 'Vi rekommenderar starkt att ni använder HTTPS för att acceptera kreditkorts detaljer på nätet.',
+ 'quote_issued_to' => 'Offert utfärdad till',
+ 'show_currency_code' => 'Valuta kod',
+ 'free_year_message' => 'Ditt konto har uppgraderats till pro planen 1 år utan extra kostnad.',
+ 'trial_message' => 'Ditt konto kommer att få två veckor pröva-på-tid av på pro plan.',
+ 'trial_footer' => 'Din fria pro plans testperiod varar :count ytterligare dagar, :link för att uppgradera nu.',
+ 'trial_footer_last_day' => 'Detta är sista dagen av din fria pro plans testperiod, :link för att uppgradera nu.',
+ 'trial_call_to_action' => 'Starta test period',
+ 'trial_success' => 'Lyckades aktivera två veckors gratis testversion för Pro nivå',
+ 'overdue' => 'Försenat',
+
+
+ 'white_label_text' => 'Köp ETT ÅR white label licens för $:price för att ta bort bort Invoice Ninja referens från faktura och klient portal.',
+ 'user_email_footer' => 'För att anpassa dina e-post notifieringar gå till :link',
+ 'reset_password_footer' => 'Om du inte begärt en återställning av ditt lösenord så var snäll och e-posta vår support: :email',
+ 'limit_users' => 'Ledsen, men du får skapa max :limit användare',
+ 'more_designs_self_host_header' => 'Få ytterliggare 6 fakturalayouter för bara $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link för $:price aktiverar du din egen stil och hjälper till att stödja vårt projekt.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link för att ta bort Invoice Ninja-logotypen genom att uppgradera till Pro nivå',
+ 'pro_plan_remove_logo_link' => 'Klicka här',
+ 'invitation_status_sent' => 'Skickat',
+ 'invitation_status_opened' => 'Öppnat',
+ 'invitation_status_viewed' => 'Visad',
+ 'email_error_inactive_client' => 'E-post kan inte skickas till inaktiva klienter',
+ 'email_error_inactive_contact' => 'E-post kan inte skickas till inaktiva kontakter',
+ 'email_error_inactive_invoice' => 'E-post kan inte skickas till inaktiva fakturor',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Vänligen registrera ditt konto för att skicka e-post',
+ 'email_error_user_unconfirmed' => 'Vänligen verifiera ditt konto för att skicka e-post',
+ 'email_error_invalid_contact_email' => 'Ogiltig kontakt e-post',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'Lista Fakturor',
+ 'list_clients' => 'Lista Klienter',
+ 'list_quotes' => 'Lista Offerter',
+ 'list_tasks' => 'Lista uppgifter',
+ 'list_expenses' => 'Lista utgifter',
+ 'list_recurring_invoices' => 'Lista återkommande fakturor',
+ 'list_payments' => 'Lista betalningar',
+ 'list_credits' => 'Lista krediter',
+ 'tax_name' => 'Skattenamn',
+ 'report_settings' => 'Rapport inställingar',
+ 'search_hotkey' => 'genväg är /',
+
+ 'new_user' => 'Ny användare',
+ 'new_product' => 'Ny produkt',
+ 'new_tax_rate' => 'Ny skatte nivå',
+ 'invoiced_amount' => 'Fakturerad summa',
+ 'invoice_item_fields' => 'Fakturerat varu belopp',
+ 'custom_invoice_item_fields_help' => 'Lägg till ett fält när fakturan skapas och visa namn samt värde på PDF´n',
+ 'recurring_invoice_number' => 'Återkommande nummer',
+ 'recurring_invoice_number_prefix_help' => 'Specificera en prefix som ska läggas till faktura numret för återkommande fakturor.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Lösenordsskydda fakturor',
+ 'enable_portal_password_help' => 'Tillåter dig att sätta ett lösenord för varje kontakt. Om ett lösenord är valt kommer kontakten vara tvungen att skriva in lösenordet innan den kan se fakturan.',
+ 'send_portal_password' => 'Skapa automatiskt',
+ 'send_portal_password_help' => 'Om inget lösenord är satt, kommer ett bli genererat och skickat med första fakturan.',
+
+ 'expired' => 'Utgått',
+ 'invalid_card_number' => 'Kreditkortsnumret är inte giltigt',
+ 'invalid_expiry' => 'Utgångsdatumen är inte giltig.',
+ 'invalid_cvv' => 'CVV koden är inte giltig.',
+ 'cost' => 'Kostnad',
+ 'create_invoice_for_sample' => 'Notis: skapa din första faktura för en förhandsvisning här',
+
+ // User Permissions
+ 'owner' => 'Ägare',
+ 'administrator' => 'Administratör',
+ 'administrator_help' => 'Tillåt användare att hantera användare, ändra inställningar och ändra alla värden',
+ 'user_create_all' => 'Skrapa klienter, fakturor etc.',
+ 'user_view_all' => 'Visa alla klienter, fakturor etc.',
+ 'user_edit_all' => 'Ändra alla klienter, fakturor etc.',
+ 'gateway_help_20' => ':link för att aktivera Sage Pay.',
+ 'gateway_help_21' => ':link för att aktivera Sage Pay.',
+ 'partial_due' => 'Delvis försenad',
+ 'restore_vendor' => 'Återställ leverantör',
+ 'restored_vendor' => 'Lyckades återställa leverantör',
+ 'restored_expense' => 'Lyckades återställa utgifter',
+ 'permissions' => 'Behörigheter',
+ 'create_all_help' => 'Tillåt användare att skapa eller ändra värden',
+ 'view_all_help' => 'Tillåt användare att se värden de inte skapat',
+ 'edit_all_help' => 'Tillåt användare att ändra värden de inte skapat',
+ 'view_payment' => 'Se betalning',
+
+ 'january' => 'Januari',
+ 'february' => 'Februari',
+ 'march' => 'Mars',
+ 'april' => 'April',
+ 'may' => 'Maj',
+ 'june' => 'Juni',
+ 'july' => 'Juli',
+ 'august' => 'Augusti',
+ 'september' => 'September',
+ 'october' => 'Oktober',
+ 'november' => 'November',
+ 'december' => 'December',
+
+ // Documents
+ 'documents_header' => 'Dokument:',
+ 'email_documents_header' => 'Dokument:',
+ 'email_documents_example_1' => 'Widgets kvitto.pdf',
+ 'email_documents_example_2' => 'Slutgiltig levererbar.zip',
+ 'quote_documents' => 'Offert dokument',
+ 'invoice_documents' => 'Faktura dokument',
+ 'expense_documents' => 'Utgifts dokument',
+ 'invoice_embed_documents' => 'Bädda in dokument',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Bifoga dokument',
+ 'ubl_email_attachment' => 'Bifoga UBL',
+ 'download_documents' => 'Ladda ner dokument (:size)',
+ 'documents_from_expenses' => 'Från utgifter:',
+ 'dropzone_default_message' => 'Släpp filer eller klicka för att ladda upp',
+ 'dropzone_fallback_message' => 'Din webbläsare stödjer inte drag o släpp uppladdningar.',
+ 'dropzone_fallback_text' => 'Vänligen använd det bakåtkompatibla formuläret nedan för att ladda upp filer som på den gamla goda tiden.',
+ 'dropzone_file_too_big' => 'Filen är för stor ({{filesize}}MiB). Max filestorlek: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'Du kan inte ladda upp filer av denna typen',
+ 'dropzone_response_error' => 'Servern svarade med {{statusCode}} kod.',
+ 'dropzone_cancel_upload' => 'Avbryt uppladdning',
+ 'dropzone_cancel_upload_confirmation' => 'Är du säker du vill avbryta denna uppladdningen?',
+ 'dropzone_remove_file' => 'Ta bort fil',
+ 'documents' => 'Dokument',
+ 'document_date' => 'Dokument datum',
+ 'document_size' => 'Storlek',
+
+ 'enable_client_portal' => 'Klient portal',
+ 'enable_client_portal_help' => 'Visa/dölj klient portalen.',
+ 'enable_client_portal_dashboard' => 'Översikt',
+ 'enable_client_portal_dashboard_help' => 'Visa/dölj översikten i klient portalen.',
+
+ // Plans
+ 'account_management' => 'Konto hantering',
+ 'plan_status' => 'Nivå status',
+
+ 'plan_upgrade' => 'Uppgradera',
+ 'plan_change' => 'Byta nivå',
+ 'pending_change_to' => 'Ändras till',
+ 'plan_changes_to' => ':plan den :date',
+ 'plan_term_changes_to' => ':plan (:term) den :date',
+ 'cancel_plan_change' => 'Avbryt ändringar',
+ 'plan' => 'Nivå',
+ 'expires' => 'Utgår',
+ 'renews' => 'Förnyelse',
+ 'plan_expired' => ':plan nivån löpt ut',
+ 'trial_expired' => ':plan nivåns testperiod avslutad',
+ 'never' => 'Aldrig',
+ 'plan_free' => 'Gratis',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Egen hostad (White label)',
+ 'plan_free_self_hosted' => 'Egen hostad (Gratis)',
+ 'plan_trial' => 'Testperiod',
+ 'plan_term' => 'Period',
+ 'plan_term_monthly' => 'Månadsvis',
+ 'plan_term_yearly' => 'Årligen',
+ 'plan_term_month' => 'Månad',
+ 'plan_term_year' => 'År',
+ 'plan_price_monthly' => '$:price/Månad',
+ 'plan_price_yearly' => '$:price/År',
+ 'updated_plan' => 'Uppdatera nivå inställningar',
+ 'plan_paid' => 'Period startad',
+ 'plan_started' => 'Nivå startad',
+ 'plan_expires' => 'Nivå utgår',
+
+ 'white_label_button' => 'White label',
+
+ 'pro_plan_year_description' => 'Ett års registering på Invoice Ninja Pro nivå.',
+ 'pro_plan_month_description' => 'En månads registering på Invoice Ninja Pro nivå.',
+ 'enterprise_plan_product' => 'Enterprise nivå',
+ 'enterprise_plan_year_description' => 'Ett års registering på Invoice Ninja Enterprise nivån.',
+ 'enterprise_plan_month_description' => 'En månads registering på Invoice Ninja Enterprise nivån.',
+ 'plan_credit_product' => 'Kredit',
+ 'plan_credit_description' => 'Kredit för oanvänd tid',
+ 'plan_pending_monthly' => 'Bytar till månadsvis den :date',
+ 'plan_refunded' => 'En återbetalning har blivit gjord.',
+
+ 'live_preview' => 'Live förhandsgranskning',
+ 'page_size' => 'Sidstorlek',
+ 'live_preview_disabled' => 'Live förhandsgranskning har stängts av för att stödja fonten',
+ 'invoice_number_padding' => 'Stoppning',
+ 'preview' => 'Förhandsgranska',
+ 'list_vendors' => 'Lista leverantörer',
+ 'add_users_not_supported' => 'Uppgradera till Enterprise planen för att lägga till ytterligare användaren på kontot.',
+ 'enterprise_plan_features' => 'Enterprise plan ger support för flera användare och bifogade filer, :link för att se lista av funktioner.',
+ 'return_to_app' => 'Återgå till Appen',
+
+
+ // Payment updates
+ 'refund_payment' => 'Återbetala betalning',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Återbetalning',
+ 'are_you_sure_refund' => 'Återbetala valda betalningar?',
+ 'status_pending' => 'Avvaktande',
+ 'status_completed' => 'Slutförd',
+ 'status_failed' => 'Misslyckad',
+ 'status_partially_refunded' => 'Delvis återbetalad',
+ 'status_partially_refunded_amount' => ':amount återbetalat',
+ 'status_refunded' => 'Återbetalad',
+ 'status_voided' => 'Avbruten',
+ 'refunded_payment' => 'Återbetalat betalning',
+ 'activity_39' => ':user avbröt en :payment_amount betalning :payment',
+ 'activity_40' => ':user återbetalade :adjustment av en :payment_amount betalning :payment',
+ 'card_expiration' => 'Utgår: :expires',
+
+ 'card_creditcardother' => 'Okänd',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Blankofullmakt',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Acceptera US Bank överföringar ',
+ 'stripe_ach_help' => 'ACH support måste och vara aktiverat i :link',
+ 'ach_disabled' => 'En annan gateway är redan konfigurerad för direkt debitering.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Klient Id',
+ 'secret' => 'Hemlig',
+ 'public_key' => 'Publik nyckel',
+ 'plaid_optional' => '(frivillig)',
+ 'plaid_environment_help' => 'När en Stripe test nyckel är inlagd kommer Plaid´s utvecklings miljö (tartan) användas.',
+ 'other_providers' => 'Andra leverantörer',
+ 'country_not_supported' => 'Landet stöds inte.',
+ 'invalid_routing_number' => 'Clearingnummer är inte giltigt.',
+ 'invalid_account_number' => 'Kontonummer inte giltigt.',
+ 'account_number_mismatch' => 'Kontonummer matchar inte.',
+ 'missing_account_holder_type' => 'Snälla välj ett individ- eller företagskonto',
+ 'missing_account_holder_name' => 'Snälla skriv kontoinnehavarensnamn.',
+ 'routing_number' => 'Clearingnummer',
+ 'confirm_account_number' => 'Bekräfta kontonummer',
+ 'individual_account' => 'Inviduellt konto',
+ 'company_account' => 'Företagskonto',
+ 'account_holder_name' => 'Kontoinnehavarens namn',
+ 'add_account' => 'Lägg till konto',
+ 'payment_methods' => 'Betalningsmetoder',
+ 'complete_verification' => 'Slutför verifikation',
+ 'verification_amount1' => 'Belopp 1',
+ 'verification_amount2' => 'Belopp 2',
+ 'payment_method_verified' => 'Verifiering slutförd',
+ 'verification_failed' => 'Verifiering misslyckad',
+ 'remove_payment_method' => 'Ta bort betalningsmetod',
+ 'confirm_remove_payment_method' => 'är du säker på att du vill ta bort denna betalningsmetod?',
+ 'remove' => 'Ta bort',
+ 'payment_method_removed' => 'Betalningsmetod borttagen.',
+ 'bank_account_verification_help' => 'Vi har gjort två insättningar till ditt konto med beteckningen "KONTROLL". Dessa insättningar kommer att ta 1-2 arbetsdagar innan de visas på ditt kontoutdrag. Ange beloppen nedan.',
+ 'bank_account_verification_next_steps' => 'Vi har gjort två insättningar till ditt konto med beskrivningen "VERIFIKATION". Dessa insättningarna kommer att ta 1-2 arbetsdagar innan dom syns på ditt kontoutdrag.
+När ni har pengarna, kom tillbaka till denna betalningsmetods sida och klicka på "Slutför verifikation" vid sidan om konto.',
+ 'unknown_bank' => 'Okänd bank',
+ 'ach_verification_delay_help' => 'Du kommer att kunna använd konto efter slutförd verifikation. Verifikation tar normalt 1-2 arbetsdagar.',
+ 'add_credit_card' => 'Lägg till kreditkort',
+ 'payment_method_added' => 'Lagt till betalningsmetod.',
+ 'use_for_auto_bill' => 'Använd för Autobill',
+ 'used_for_auto_bill' => 'Autobill betalningsmetod',
+ 'payment_method_set_as_default' => 'Sätt Autobill betalningsmetod',
+ 'activity_41' => ':payment_amount betalning (:payment) misslyckad',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'Du måste :link.',
+ 'stripe_webhook_help_link_text' => 'lägg till denna URL som en slutpunkt på Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'Det gick inte att lägga till din betalningsmetod. Vänligen försök igen senare.',
+ 'notification_invoice_payment_failed_subject' => 'Betalning misslyckad för faktura :invoice',
+ 'notification_invoice_payment_failed' => 'En betalninggjord av klient :client motFaktura :invoice misslyckades. Betalningen har markerats som misslyckad och :amount harlagt tills till klientens balans.',
+ 'link_with_plaid' => 'Länka konto direkt med Plaid',
+ 'link_manually' => 'Länka manuellt',
+ 'secured_by_plaid' => 'Säkrad via Plaid',
+ 'plaid_linked_status' => 'Ditt bankkonto på :bank',
+ 'add_payment_method' => 'Lägg till betalningsmetod',
+ 'account_holder_type' => 'Kontoinnehavarens typ',
+ 'ach_authorization' => 'Jag godkänner :company att använda mitt bankkonto för framtida betalningar och vid behov, elektroniskt kreditera mitt konto för att korrigera felaktiga debiteringar. Jag förstår att jag kan avbryta tillståndet när som helst genom att ta bort betalningsmetod eller genom att kontakta :email.',
+ 'ach_authorization_required' => 'Du måste samtycka till ACH transaktioner.',
+ 'off' => 'Av',
+ 'opt_in' => 'Valt',
+ 'opt_out' => 'Valt bort',
+ 'always' => 'Alltid',
+ 'opted_out' => 'Valt bort',
+ 'opted_in' => 'Valt',
+ 'manage_auto_bill' => 'Editera auto-bill',
+ 'enabled' => 'Aktiverad',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Möjliggör PayPal-betalningar genom BrainTree',
+ 'braintree_paypal_disabled_help' => 'PayPal gateway bearbetar PayPal betalningar',
+ 'braintree_paypal_help' => 'Du måste också :link.',
+ 'braintree_paypal_help_link_text' => 'Koppla PayPal till ditt BrainTree-konto',
+ 'token_billing_braintree_paypal' => 'Spara betalnings detaljer',
+ 'add_paypal_account' => 'Lägg till PayPal konto',
+
+
+ 'no_payment_method_specified' => 'Ingen betalningsmetod angiven',
+ 'chart_type' => 'Diagramtyp',
+ 'format' => 'Format',
+ 'import_ofx' => 'Importera OFX',
+ 'ofx_file' => 'OFX Fil',
+ 'ofx_parse_failed' => 'Misslyckade parse OFX fil',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Registera med WePay',
+ 'use_another_provider' => 'Använd en annnan leverantör',
+ 'company_name' => 'Företagsnamn',
+ 'wepay_company_name_help' => 'Detta uppges på klient kreditkortsutdrag.',
+ 'wepay_description_help' => 'Syftet med detta konto.',
+ 'wepay_tos_agree' => 'Jag godkänner :link',
+ 'wepay_tos_link_text' => 'WePay användarevillkor',
+ 'resend_confirmation_email' => 'Skicka om e-post bekräftelse',
+ 'manage_account' => 'Hantera konto',
+ 'action_required' => 'Åtgärd krävs',
+ 'finish_setup' => 'Slutför installationen',
+ 'created_wepay_confirmation_required' => 'Vänligen kolla din mejl och bekräfta epost adressen med WePay.',
+ 'switch_to_wepay' => 'Byt till WePay',
+ 'switch' => 'Växla',
+ 'restore_account_gateway' => 'Återställning Gateway',
+ 'restored_account_gateway' => 'Framgångsrikt återställt gateway',
+ 'united_states' => 'Förenta Staterna',
+ 'canada' => 'Kanada',
+ 'accept_debit_cards' => 'Acceptera Bankkort',
+ 'debit_cards' => 'Kontokort',
+
+ 'warn_start_date_changed' => 'Nästa faktura kommer att skicka på nytt start datum.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Ursprungligt startdatum',
+ 'new_start_date' => 'Ny start datum',
+ 'security' => 'Säkerhet',
+ 'see_whats_new' => 'Se vad som är nytt i v:version',
+ 'wait_for_upload' => 'Snälla vänta på uppladdning av dokument slutförs.',
+ 'upgrade_for_permissions' => 'Uppgradera till vår Enterprise plan för att aktivera behörigheter.',
+ 'enable_second_tax_rate' => 'Aktivera en andra momsnivå',
+ 'payment_file' => 'Betalningsfil',
+ 'expense_file' => 'Kostnadsfil',
+ 'product_file' => 'Produktfil',
+ 'import_products' => 'Importera produkter',
+ 'products_will_create' => 'produkter kommer skapas',
+ 'product_key' => 'Produkt',
+ 'created_products' => 'Skapade/Uppdaterade :count produkt(er) utan problem',
+ 'export_help' => 'Använda JSON om du planerar att importera datan till Invoice Ninja.
Filen innehåller kunder, produkter, fakturor, offerter och betalningar.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON Fil',
+
+ 'view_dashboard' => 'Se översikt',
+ 'client_session_expired' => 'Din session har avslutats.',
+ 'client_session_expired_message' => 'Din session har gått ut. Vänligen klicka på länken i e-posten igen.',
+
+ 'auto_bill_notification' => 'Denna faktura kommer automatiskt faktureras på din :payment_method på fil den :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bank konto',
+ 'auto_bill_payment_method_credit_card' => 'kredit kort',
+ 'auto_bill_payment_method_paypal' => 'PayPal konto',
+ 'auto_bill_notification_placeholder' => 'Denna faktura kommer automatiskt faktureras till ditt kreditkort på fil på förfallodag.',
+ 'payment_settings' => 'Betalnings inställningar',
+
+ 'on_send_date' => 'På sändningsdatum',
+ 'on_due_date' => 'På förfallodag',
+ 'auto_bill_ach_date_help' => 'ACH kommer alltid skicka räkningen automatiskt på förfallodagen.',
+ 'warn_change_auto_bill' => 'På grund av NACHA regler, kan förändringar i denna faktura förhindra ACH auto bill.',
+
+ 'bank_account' => 'Bank konto',
+ 'payment_processed_through_wepay' => 'ACH betalningar kommer att bearbetas genom WePay.',
+ 'wepay_payment_tos_agree' => 'Jag acceptera WePay :terms och :privacy_policy.',
+ 'privacy_policy' => 'Integritetspolicy',
+ 'wepay_payment_tos_agree_required' => 'Du måste godkänna WePay villkor och sekretesspolicy.',
+ 'ach_email_prompt' => 'Vänligen skriv in din e-post adress:',
+ 'verification_pending' => 'Verifiering väntar',
+
+ 'update_font_cache' => 'Tvinga uppdatera sidan för att uppdatera fontcachen.',
+ 'more_options' => 'Fler val',
+ 'credit_card' => 'Betalkort',
+ 'bank_transfer' => 'Banköverföring',
+ 'no_transaction_reference' => 'Vi mottog inte en betalningstransaktions referens från gateway.',
+ 'use_bank_on_file' => 'Använd bank på fil',
+ 'auto_bill_email_message' => 'Denna faktura kommer automatiskt faktureras till betalningsmetod på fil vid förfallodatum.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Tillagd :date',
+ 'failed_remove_payment_method' => 'Misslyckades att ta bort betalningsmetod',
+ 'gateway_exists' => 'Denna gateway finns redan.',
+ 'manual_entry' => 'Manuell',
+ 'start_of_week' => 'Första veckodagen',
+
+ // Frequencies
+ 'freq_inactive' => 'Inaktiv',
+ 'freq_daily' => 'Dagligen',
+ 'freq_weekly' => 'Veckovis',
+ 'freq_biweekly' => 'Varannan vecka',
+ 'freq_two_weeks' => 'Två veckor',
+ 'freq_four_weeks' => 'Fyra veckor',
+ 'freq_monthly' => 'Månadsvis',
+ 'freq_three_months' => 'Tre månader',
+ 'freq_four_months' => 'Fyra månader',
+ 'freq_six_months' => 'Sex månader',
+ 'freq_annually' => 'Årsvis',
+ 'freq_two_years' => 'Två år',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Tillämpa kredit',
+ 'payment_type_Bank Transfer' => 'Bank överföring',
+ 'payment_type_Cash' => 'Kontant',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa kort',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners kort',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Annat kreditkort',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Blankofullmakt',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Växla',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direkt betalning',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Redovisning & Legala',
+ 'industry_Advertising' => 'Annonsering',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Lantbruk',
+ 'industry_Automotive' => 'Bil',
+ 'industry_Banking & Finance' => 'Bank & Finans',
+ 'industry_Biotechnology' => 'Bioteknologi',
+ 'industry_Broadcasting' => 'Broadcastning',
+ 'industry_Business Services' => 'Affärstjänster',
+ 'industry_Commodities & Chemicals' => 'Råvaror och kemikalier',
+ 'industry_Communications' => 'Kommunikationer',
+ 'industry_Computers & Hightech' => 'Datorer och avancerat',
+ 'industry_Defense' => 'Försvar',
+ 'industry_Energy' => 'Energi',
+ 'industry_Entertainment' => 'Underhållning',
+ 'industry_Government' => 'Regering',
+ 'industry_Healthcare & Life Sciences' => 'Hälsa och livforskning',
+ 'industry_Insurance' => 'Försäkring',
+ 'industry_Manufacturing' => 'Tillverkning',
+ 'industry_Marketing' => 'Marknadsföring',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Ideellt och högre forskning',
+ 'industry_Pharmaceuticals' => 'Läkemedel',
+ 'industry_Professional Services & Consulting' => 'Professionella tjänster & rådgivning',
+ 'industry_Real Estate' => 'Fastighet',
+ 'industry_Restaurant & Catering' => 'Restaurang & Catering',
+ 'industry_Retail & Wholesale' => 'Detaljhandel & Partihandel',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Resor & Lyx',
+ 'industry_Other' => 'Övrigt',
+ 'industry_Photography' => 'Fotografering',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albanien',
+ 'country_Antarctica' => 'Antarktis',
+ 'country_Algeria' => 'Algeriet',
+ 'country_American Samoa' => '
+Amerikanska Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua och Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australien',
+ 'country_Austria' => 'Österrike',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenien',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgien',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia',
+ 'country_Bosnia and Herzegovina' => 'Bosnien och Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brasilien',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'Indiska oceanen',
+ 'country_Solomon Islands' => 'Salomonöarna',
+ 'country_Virgin Islands, British' => 'Brittiska jungfruöarna',
+ 'country_Brunei Darussalam' => 'Brunei',
+ 'country_Bulgaria' => 'Bulgarien',
+ 'country_Myanmar' => 'Burma',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Vitryssland',
+ 'country_Cambodia' => 'Kambodja',
+ 'country_Cameroon' => 'Kamerun',
+ 'country_Canada' => 'Kanada',
+ 'country_Cape Verde' => 'Kap Verde',
+ 'country_Cayman Islands' => 'Caymanöarna',
+ 'country_Central African Republic' => 'Centralafrikanska republiken',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Tchad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'Kina',
+ 'country_Taiwan, Province of China' => 'Taiwan',
+ 'country_Christmas Island' => 'Julön',
+ 'country_Cocos (Keeling) Islands' => '
+Cocos (Keeling) Öarna',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Kongo',
+ 'country_Congo, the Democratic Republic of the' => 'Kongo',
+ 'country_Cook Islands' => 'Cooköarna',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Kroatien',
+ 'country_Cuba' => 'Kuba',
+ 'country_Cyprus' => 'Cypern',
+ 'country_Czech Republic' => 'Tjeckien',
+ 'country_Benin' => 'Beniin',
+ 'country_Denmark' => 'Danmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominikanska Republiken',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Ekvatorialguinea',
+ 'country_Ethiopia' => 'Etiopien',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estland',
+ 'country_Faroe Islands' => 'Färöarna',
+ 'country_Falkland Islands (Malvinas)' => 'Falklandsöarna (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => '
+Sydgeorgien och Sydsandwichöarna',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland',
+ 'country_France' => 'Frankrike',
+ 'country_French Guiana' => 'Franska Guyana',
+ 'country_French Polynesia' => 'Franska Polynesien',
+ 'country_French Southern Territories' => 'Franska Sydterritorierna',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgien',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => '
+Det ockuperade palestinska territoriet',
+ 'country_Germany' => 'Tyskland',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Grekland',
+ 'country_Greenland' => 'Grönland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadelope',
+ 'country_Guam' => 'Guam',
+ 'country_Guatemala' => 'Guatemala',
+ 'country_Guinea' => 'Guinea',
+ 'country_Guyana' => 'Guyana',
+ 'country_Haiti' => 'Haiti',
+ 'country_Heard Island and McDonald Islands' => '
+Heard- och Mcdonaldöarna',
+ 'country_Holy See (Vatican City State)' => 'Heliga stolen (Vatikanstaten)',
+ 'country_Honduras' => 'Hondura',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Ungern',
+ 'country_Iceland' => 'Island',
+ 'country_India' => 'Indien',
+ 'country_Indonesia' => 'Indonesien',
+ 'country_Iran, Islamic Republic of' => 'Iran',
+ 'country_Iraq' => 'Irak',
+ 'country_Ireland' => 'Irland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italien',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordanien',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea',
+ 'country_Korea, Republic of' => 'Korea',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Laos Demokratiska folkrepubliken',
+ 'country_Lebanon' => 'Libanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Lettland',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libyen',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuaien',
+ 'country_Luxembourg' => 'Luxemburg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldiverna',
+ 'country_Mali' => 'Mal',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauretanien',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexik',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongoliet',
+ 'country_Moldova, Republic of' => 'Moldavien',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Marocko',
+ 'country_Mozambique' => 'Moçambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Nederländerna',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (nederländska delen)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius och Saba',
+ 'country_New Caledonia' => '
+Nya Kaledonien',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'Nya Zeeland',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Ön',
+ 'country_Norway' => 'Norge',
+ 'country_Northern Mariana Islands' => 'Nordmarianerna',
+ 'country_United States Minor Outlying Islands' => 'Förenta staternas avlägset belägna öar',
+ 'country_Micronesia, Federated States of' => 'Mikronesien av',
+ 'country_Marshall Islands' => 'Marshallöarna',
+ 'country_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua Nya Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Filippinerna',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Polen',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Rumänien',
+ 'country_Russian Federation' => 'Ryska Federationen',
+ 'country_Rwanda' => 'Rwanda',
+ 'country_Saint Barthélemy' => 'Saint Barthélemy',
+ 'country_Saint Helena, Ascension and Tristan da Cunha' => 'Saint Helena, Ascension och Tristan da Cunha',
+ 'country_Saint Kitts and Nevis' => 'Saint Kitts och Nevis',
+ 'country_Anguilla' => 'Anguilla',
+ 'country_Saint Lucia' => 'Saint Lucia',
+ 'country_Saint Martin (French part)' => 'Saint Martin (franska delen)',
+ 'country_Saint Pierre and Miquelon' => 'Saint Pierre och Miquelon',
+ 'country_Saint Vincent and the Grenadines' => 'Saint Vincent och Grenadinerna',
+ 'country_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tomé och Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabien',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbien',
+ 'country_Seychelles' => 'Seychellerna',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakien',
+ 'country_Viet Nam' => 'Vietnam',
+ 'country_Slovenia' => 'Slovenien',
+ 'country_Somalia' => 'Somalien',
+ 'country_South Africa' => 'Syd Afrika',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spanien',
+ 'country_South Sudan' => 'Syd Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Väst Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard och Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sverige',
+ 'country_Switzerland' => 'Schweiz',
+ 'country_Syrian Arab Republic' => 'Syrien',
+ 'country_Tajikistan' => 'Tadzjikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokela',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad och Tobago',
+ 'country_United Arab Emirates' => 'Förenade arabemiraten',
+ 'country_Tunisia' => 'Tunisien',
+ 'country_Turkey' => 'Turkiet',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks- och Caicosöarna',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraina',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Makedonien, fd jugoslaviska republiken',
+ 'country_Egypt' => 'Egypten',
+ 'country_United Kingdom' => 'Storbritannien',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania',
+ 'country_United States' => 'Förenta Staterna',
+ 'country_Virgin Islands, U.S.' => 'Jungfruöarna, US.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarianska republiken',
+ 'country_Wallis and Futuna' => 'Wallis och Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yeme',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brasiliansk Portugisiska',
+ 'lang_Croatian' => 'Kroatiska',
+ 'lang_Czech' => 'Tjeck',
+ 'lang_Danish' => 'Danska',
+ 'lang_Dutch' => 'Tyska',
+ 'lang_English' => 'Engelska',
+ 'lang_French' => 'Franska',
+ 'lang_French - Canada' => 'Franska - Kanadensiska',
+ 'lang_German' => 'Tyska',
+ 'lang_Italian' => 'Italenska',
+ 'lang_Japanese' => 'Japanska',
+ 'lang_Lithuanian' => 'Litauiska',
+ 'lang_Norwegian' => 'Norska',
+ 'lang_Polish' => 'Polska',
+ 'lang_Spanish' => 'Spanska',
+ 'lang_Spanish - Spain' => 'Spanska',
+ 'lang_Swedish' => 'Svenska',
+ 'lang_Albanian' => 'Albanska',
+ 'lang_Greek' => 'Grekiska',
+ 'lang_English - United Kingdom' => 'Engelska - Storbritannien',
+ 'lang_Slovenian' => 'Slovenien',
+ 'lang_Finnish' => 'Finska',
+ 'lang_Romanian' => 'Rumänska',
+ 'lang_Turkish - Turkey' => 'Turkiska - Turkiet',
+ 'lang_Portuguese - Brazilian' => 'Portugisiska - Brasilianska',
+ 'lang_Portuguese - Portugal' => 'Portugisiska - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Redovisning & Legala',
+ 'industry_Advertising' => 'Annonsering',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Lantbruk',
+ 'industry_Automotive' => 'Bil',
+ 'industry_Banking & Finance' => 'Bank & Finans',
+ 'industry_Biotechnology' => 'Bioteknologi',
+ 'industry_Broadcasting' => 'Broadcastning',
+ 'industry_Business Services' => 'Affärstjänster',
+ 'industry_Commodities & Chemicals' => 'Råvaror och kemikalier',
+ 'industry_Communications' => 'Kommunikationer',
+ 'industry_Computers & Hightech' => 'Datorer och avancerat',
+ 'industry_Defense' => 'Försvar',
+ 'industry_Energy' => 'Energi',
+ 'industry_Entertainment' => 'Underhållning',
+ 'industry_Government' => 'Regering',
+ 'industry_Healthcare & Life Sciences' => 'Hälsa och livforskning',
+ 'industry_Insurance' => 'Försäkring',
+ 'industry_Manufacturing' => 'Tillverkning',
+ 'industry_Marketing' => 'Marknadsföring',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Ideellt och högre forskning',
+ 'industry_Pharmaceuticals' => 'Läkemedel',
+ 'industry_Professional Services & Consulting' => 'Professionella tjänster & rådgivning',
+ 'industry_Real Estate' => 'Fastighet',
+ 'industry_Retail & Wholesale' => 'Detaljhandel & Partihandel',
+ 'industry_Sports' => 'Sport',
+ 'industry_Transportation' => 'Transport',
+ 'industry_Travel & Luxury' => 'Resor & Lyx',
+ 'industry_Other' => 'Övrigt',
+ 'industry_Photography' =>'Fotografering',
+
+ 'view_client_portal' => 'Se klient portal',
+ 'view_portal' => 'Se portal',
+ 'vendor_contacts' => 'Leverantörs kontakter',
+ 'all' => 'Alla',
+ 'selected' => 'Vald',
+ 'category' => 'Kategori',
+ 'categories' => 'Kategorier',
+ 'new_expense_category' => 'Ny utgifts kategori',
+ 'edit_category' => 'Ändra kategori',
+ 'archive_expense_category' => 'Arkiv kategori',
+ 'expense_categories' => 'Utgifts kategorier',
+ 'list_expense_categories' => 'Lista utgifts kategorier',
+ 'updated_expense_category' => 'Framgångsrikt uppdaterat kostnadskategori',
+ 'created_expense_category' => 'Framgångsrikt skapat kostnadskategori',
+ 'archived_expense_category' => 'Framgångsrikt arkiverat kostnadskategori',
+ 'archived_expense_categories' => 'Framgångsrikt arkiverat :count kostnadskategori',
+ 'restore_expense_category' => 'Återställd kostnadskategori',
+ 'restored_expense_category' => 'Framgångsrikt återställt kostnadskategori',
+ 'apply_taxes' => 'Lägg på skatt',
+ 'min_to_max_users' => ':min till :max användare',
+ 'max_users_reached' => 'Maximalt antal användare har uppnåtts.',
+ 'buy_now_buttons' => 'Köp Nu knappar',
+ 'landing_page' => 'Landningssida',
+ 'payment_type' => 'Betalningstyp',
+ 'form' => 'Form',
+ 'link' => 'Länk',
+ 'fields' => 'Fält',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Notis: kunden och fakturan skapades även om transaktionen inte är komplett',
+ 'buy_now_buttons_disabled' => '
+Den här funktionen kräver att en produkt skapas och en betalningsgateway är konfigurerad.',
+ 'enable_buy_now_buttons_help' => 'Aktivera stöd för Köp Nu knappar',
+ 'changes_take_effect_immediately' => 'Notera: ändringar tar effekt direkt.',
+ 'wepay_account_description' => 'Betalningsgateway för Invoice Ninja',
+ 'payment_error_code' => 'Det blev fel när ni behandlade din betalning [:code]. Försök igen senare.',
+ 'standard_fees_apply' => 'Avgift: 2.9%/1.2% [Bankkort/Bankbetalning] + $0.30 för varje dragning.',
+ 'limit_import_rows' => 'Data måste importeras i batcher av :count rader eller mindre',
+ 'error_title' => 'Något gick fel',
+ 'error_contact_text' => 'Om du vill hjälpa till, vänligen e-posta oss på :mailaddress',
+ 'no_undo' => 'Varning: Detta kan inte ångras.',
+ 'no_contact_selected' => 'Välj en kontakt',
+ 'no_client_selected' => 'Välj en klient',
+
+ 'gateway_config_error' => 'Det kan hjälpa till att sätta nya lösenord eller generera nya API-nycklar.',
+ 'payment_type_on_file' => ':type på fil',
+ 'invoice_for_client' => 'Faktura :Invoice för :client',
+ 'intent_not_found' => 'Förlåt, jag är inte säker på vad du frågar.',
+ 'intent_not_supported' => 'Förlåt, jag kan inte göra det.',
+ 'client_not_found' => 'Jag kunde inte hitta klienten.',
+ 'not_allowed' => 'Ledsen, du har inte de nödvändiga rättigheterna',
+ 'bot_emailed_invoice' => 'Din faktura har skickats.',
+ 'bot_emailed_notify_viewed' => 'Jag e-postar dig när den är visad.',
+ 'bot_emailed_notify_paid' => 'Jag e-postar dig när den är betald.',
+ 'add_product_to_invoice' => 'Lägg till 1 :produkt',
+ 'not_authorized' => 'Du är inte behörig.',
+ '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_code' => 'Tack! Jag har skickat ett mejl till dig med din säkerhetskod.',
+ 'bot_welcome' => 'Ditt konto är verifierat.',
+ 'email_not_found' => 'Jag kunde inte hitta ett tillgängligt konto för :email',
+ 'invalid_code' => 'Koden var inte korrekt',
+ 'security_code_email_subject' => 'Säkerhetskod för Invoice Ninja Bot.',
+ 'security_code_email_line1' => 'Detta är din Invoice Ninja Bot säkerhetskod.',
+ 'security_code_email_line2' => 'Notering: Upphör om 10 minuter.',
+ 'bot_help_message' => 'Jag stöder för närvarande:
• Skapa \ Uppdatera \ Mejla en faktura
• Produktlista
Till exempel:
Fakturera bob för 2 biljetter, ange ett slutdatum på nästa torsdag och rabatten till 10 procent i>',
+ 'list_products' => 'Lista produkter',
+
+ 'include_item_taxes_inline' => 'Inkludera rad moms i totalmoms',
+ 'created_quotes' => 'Framgångsrikt skapat :count offert(er)',
+ 'limited_gateways' => 'Notering: We stödjer ett kreditkorts gateway per företag.',
+
+ 'warning' => 'Varning',
+ 'self-update' => 'Uppdatera',
+ 'update_invoiceninja_title' => 'Uppdatera Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Innan ni uppgraderar Invoice Ninja, skapa en backup av er databaser och filer!',
+ 'update_invoiceninja_available' => 'En ny version av Invoice Ninja finns tillgänglig.',
+ 'update_invoiceninja_unavailable' => 'Ingen ny version av Invoice Ninja finns tillgänglig.',
+ 'update_invoiceninja_instructions' => 'Vänligen installera :version genom att klicka på Uppdatera nu knappen nedan. Ni blir sedan omdirigerad till instrumentpanelen.',
+ 'update_invoiceninja_update_start' => 'Uppdatera nu',
+ 'update_invoiceninja_download_start' => 'Ladda ner :version',
+ 'create_new' => 'Skapa Ny',
+
+ 'toggle_navigation' => 'Aktivera Navigering',
+ 'toggle_history' => 'Aktivera Historik',
+ 'unassigned' => 'Otilldelad',
+ 'task' => 'Uppgift',
+ 'contact_name' => 'Kontakt namn',
+ 'city_state_postal' => 'Stad/Län/Postnummer',
+ 'custom_field' => 'Anpassat Fält',
+ 'account_fields' => 'Företags fält',
+ 'facebook_and_twitter' => 'Facebook och Twitter',
+ 'facebook_and_twitter_help' => 'Följ våra feeds för att stödja vårt projekt',
+ 'reseller_text' => 'Notis: white-label licensen är tänkt för privat bruk, vänligen eposta oss på :email om du vill vara återförsäljare till appen.',
+ 'unnamed_client' => 'Namnlös Klient',
+
+ 'day' => 'Dag',
+ 'week' => 'Vecka',
+ 'month' => 'Månad',
+ 'inactive_logout' => 'Du har blivit utloggad p.g.a. inaktivitet',
+ 'reports' => 'Rapporter',
+ 'total_profit' => 'Summa vinst',
+ 'total_expenses' => 'Summa utgifter',
+ 'quote_to' => 'Offert till',
+
+ // Limits
+ 'limit' => 'Gräns',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'Inga gränser',
+ 'set_limits' => 'Sätt :gateway_type gränser',
+ 'enable_min' => 'Aktivera min',
+ 'enable_max' => 'Aktivera max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'Den faktura uppfyller inte gränserna för denna betalningstyp.',
+
+ 'date_range' => 'Datumintervall',
+ 'raw' => 'Rå',
+ 'raw_html' => 'Rå HTML',
+ 'update' => 'Uppdatera',
+ 'invoice_fields_help' => 'Dra och släpp fält för att ändra deras ordning och plats',
+ 'new_category' => 'Ny Kategori',
+ 'restore_product' => 'Återställ Produkt',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'Det uppstod ett problem vid sparande av din faktura',
+ 'enable_recurring' => 'Aktivera återkommande',
+ 'disable_recurring' => 'Inaktivera återkommande',
+ 'text' => 'Text',
+ 'expense_will_create' => 'kostnad kommer att skapas',
+ 'expenses_will_create' => 'kostnad kommer att skapas',
+ 'created_expenses' => 'Framgångsrikt skapat :count kostnad(er)',
+
+ 'translate_app' => 'Hjälp oss förbättra vår översättning via :link',
+ 'expense_category' => 'Kostnads kategori',
+
+ 'go_ninja_pro' => 'Gå Ninja Pro!',
+ 'go_enterprise' => 'Gå Enterprise!',
+ 'upgrade_for_features' => 'Uppgradera för mer funktioner',
+ 'pay_annually_discount' => 'Betala årligen för 10 månader + 2 gratis!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'dindoman.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Anpassa varje aspekt av din faktura!',
+ 'enterprise_upgrade_feature1' => 'Sätt rättigheter för flera användare.',
+ 'enterprise_upgrade_feature2' => 'Bifoga 3:e filer för fakturor & kostnader',
+ 'much_more' => 'Mycket mer!',
+ 'all_pro_fetaures' => 'Plus alla pro funktioner!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Kod',
+
+ 'buy_license' => 'Köp Licens',
+ 'apply_license' => 'Uppge Licens',
+ 'submit' => 'Skicka',
+ 'white_label_license_key' => 'Licensnyckel',
+ 'invalid_white_label_license' => 'Den vita etikettlicensen är inte giltig',
+ 'created_by' => 'Skapad av :name',
+ 'modules' => 'Moduler',
+ 'financial_year_start' => 'Första månaden på året',
+ 'authentication' => 'Autentisering',
+ 'checkbox' => 'Kryssruta',
+ 'invoice_signature' => 'Signatur',
+ 'show_accept_invoice_terms' => 'Faktura villkor kryssruta',
+ 'show_accept_invoice_terms_help' => 'Kräv att klienten accepterar faktura villkoren.',
+ 'show_accept_quote_terms' => 'Offert villkors kryssruta',
+ 'show_accept_quote_terms_help' => 'Kräv att klienten accepterar offert villkoren.',
+ 'require_invoice_signature' => 'Faktura signatur',
+ 'require_invoice_signature_help' => 'Kräv signatur av klient.',
+ 'require_quote_signature' => 'Offert signatur',
+ 'require_quote_signature_help' => 'Kräv signatur av klient.',
+ 'i_agree' => 'Jag accepterar villkoren',
+ 'sign_here' => 'Vänligen signera här:',
+ 'authorization' => 'Tillstånd',
+ 'signed' => 'Signerad',
+
+ // BlueVine
+ 'bluevine_promo' => 'Få flexibla affärssystem krediter och fakturabelåning hjälp BlueVine.',
+ 'bluevine_modal_label' => 'Registrera med BlueVine',
+ 'bluevine_modal_text' => 'Snabb finansiering av ditt företag. Inget pappersarbete.
+- Flexibel kredit och fakturaköp.
',
+ 'bluevine_create_account' => 'Skapa konto',
+ 'quote_types' => 'Få offertför',
+ 'invoice_factoring' => 'Faktura facto',
+ 'line_of_credit' => 'Kredit',
+ 'fico_score' => 'Din FICO poäng',
+ 'business_inception' => 'Affärs startkod',
+ 'average_bank_balance' => 'Genomsnitt bankkonto balans.',
+ 'annual_revenue' => 'Årsomsättning',
+ 'desired_credit_limit_factoring' => 'Önskad faktura factogräns',
+ 'desired_credit_limit_loc' => 'Önskad kreditgräns',
+ 'desired_credit_limit' => 'Önskad kreditgräns',
+ 'bluevine_credit_line_type_required' => 'Du måste välja minst en',
+ 'bluevine_field_required' => 'Detta fält krävs',
+ 'bluevine_unexpected_error' => 'Ett oförutsett fel uppkom.',
+ 'bluevine_no_conditional_offer' => 'Mer information krävs innan ni får en offert. Vänligen klicka nedan.',
+ 'bluevine_invoice_factoring' => 'Faktura facto',
+ 'bluevine_conditional_offer' => 'Villkorligt erbjudande',
+ 'bluevine_credit_line_amount' => 'Kredit linje',
+ 'bluevine_advance_rate' => 'Matningshastighet',
+ 'bluevine_weekly_discount_rate' => 'Veckorabattsats',
+ 'bluevine_minimum_fee_rate' => 'Minimiavgift',
+ 'bluevine_line_of_credit' => 'Kreditlinje',
+ 'bluevine_interest_rate' => 'Ränta',
+ 'bluevine_weekly_draw_rate' => 'Vecko dratakt',
+ 'bluevine_continue' => 'Fortsätt till BlueVine',
+ 'bluevine_completed' => 'BlueVine registrering slutförd',
+
+ 'vendor_name' => 'Leverantör',
+ 'entity_state' => 'Tillstånd',
+ 'client_created_at' => 'Datum skapad',
+ 'postmark_error' => 'Ett problem uppstod när mail skulle skickas genom Postmark :link',
+ 'project' => 'Projekt',
+ 'projects' => 'Projekt',
+ 'new_project' => 'Nytt Projekt',
+ 'edit_project' => 'Ändra Produkt',
+ 'archive_project' => 'Arkivera Projekt',
+ 'list_projects' => 'Lista Projekt',
+ 'updated_project' => 'Projektet uppdaterat',
+ 'created_project' => 'Projekt skapat',
+ 'archived_project' => 'Projekt arkiverat',
+ 'archived_projects' => ':count projekt arkiverade',
+ 'restore_project' => 'Återställ projekt',
+ 'restored_project' => 'Projekt återställt',
+ 'delete_project' => 'Ta bort projekt',
+ 'deleted_project' => 'Projekt borttaget',
+ 'deleted_projects' => ':count projekt borttagna',
+ 'delete_expense_category' => 'Ta bort kategori',
+ 'deleted_expense_category' => 'Kategori borttagen',
+ 'delete_product' => 'Ta bort produkt',
+ 'deleted_product' => 'Produkt borttagen',
+ 'deleted_products' => ':count produkter borttagna',
+ 'restored_product' => 'Produkt återställd',
+ 'update_credit' => 'Uppdatera Kreditfaktura',
+ 'updated_credit' => 'Kreditfaktura uppdaterad',
+ 'edit_credit' => 'Redigera Kreditfaktura',
+ 'live_preview_help' => 'Visar en förhandsgranskning av PDF live på fakturasidan.
Stäng av denna för att förbättra prestandan vid fakturaredigering.',
+ 'force_pdfjs_help' => 'Ersätt den inbyggda PDF-visaren i :chrome_link och :firefox_link.
+
Aktivera detta om din webbläsare automatiskt laddar hem PDF:erna.',
+ 'force_pdfjs' => 'Förhindra nerladdning',
+ 'redirect_url' => 'Omdirigeringsadress',
+ 'redirect_url_help' => 'Alternativt specificera en URL att gå till efter en betalning är gjord.',
+ 'save_draft' => 'Spara utkast',
+ 'refunded_credit_payment' => 'Återbetalad kredit betalning',
+ 'keyboard_shortcuts' => 'Tangentbords genvägar',
+ 'toggle_menu' => 'Växla Meny',
+ 'new_...' => 'Ny ...',
+ 'list_...' => 'Lista ...',
+ 'created_at' => 'Skapat datum',
+ 'contact_us' => 'Kontakta oss',
+ 'user_guide' => 'Användarhjälp',
+ 'promo_message' => 'Uppgradera innan :expires och få :amount rabatt på ditt första år med Pro eller Enterprise paketet.',
+ 'discount_message' => ':amount av utgående :expires',
+ 'mark_paid' => 'Markera betald',
+ 'marked_sent_invoice' => 'Markerade utan problem fakturan som skickad',
+ 'marked_sent_invoices' => 'Markerade utan problem fakturorna som skickade',
+ 'invoice_name' => 'Faktura',
+ 'product_will_create' => 'Produkt kommer skapas',
+ 'contact_us_response' => 'Tack för ditt meddelade! Vi försöker svara snarast möjligt.',
+ 'last_7_days' => 'Senaste 7 dagarna',
+ 'last_30_days' => 'Senaste 30 dagarna',
+ 'this_month' => 'Denna månaden',
+ 'last_month' => 'Senaste månaden',
+ 'last_year' => 'Senaste året',
+ 'custom_range' => 'Anpassat intervall',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Kräv',
+ 'license_expiring' => 'Notera: Din licens kommer gå ut om :count dagar, :link för att förnya den.',
+ 'security_confirmation' => 'Din e-post har blivit bekräftad',
+ 'white_label_expired' => 'Din white label licens har gått ut, vänligen fundera på att förnya det för att hjälpa till att supporta vårt projekt.',
+ 'renew_license' => 'Förnya licens',
+ 'iphone_app_message' => 'Överväg nerladdning av :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Inloggad',
+ 'switch_to_primary' => 'Byta till ditt primära företag (:name) för att hantera din prenumeration.',
+ 'inclusive' => 'Inklusive',
+ 'exclusive' => 'Exklusive',
+ 'postal_city_state' => 'Postadress/Stad/Stat',
+ 'phantomjs_help' => 'I vissa fall använder appen :link_phantom för att skapa PDF, installera :link_docs för att skapa den lokalt.',
+ 'phantomjs_local' => 'Använder lokal PhantomJS',
+ 'client_number' => 'Kundnummer',
+ 'client_number_help' => 'Specificera ett prefix eller använd ett anpassat mönster för att dynamiskt sätta kundnummer.',
+ 'next_client_number' => 'Nästa kundnummer är :number',
+ 'generated_numbers' => 'Genererade nummer',
+ 'notes_reminder1' => 'Första påminnelsen',
+ 'notes_reminder2' => 'Andra påminnelsen',
+ 'notes_reminder3' => 'Tredje påminnelsen',
+ 'bcc_email' => 'Eposta hemlig kopia ',
+ 'tax_quote' => 'Momssats',
+ 'tax_invoice' => 'Moms faktura',
+ 'emailed_invoices' => 'E-postade fakturorna utan problem',
+ 'emailed_quotes' => 'E-postade offerterna utan problem',
+ 'website_url' => 'Hemsidans URL',
+ 'domain' => 'Domän',
+ 'domain_help' => 'Används i kundportalen och när e-post skickas.',
+ 'domain_help_website' => 'Används när e-post skickas.',
+ 'preview' => 'Förhandsgranska',
+ 'import_invoices' => 'Importera fakturor',
+ 'new_report' => 'Ny Rapport',
+ 'edit_report' => 'Ändra Rapport',
+ 'columns' => 'Kolumner',
+ 'filters' => 'Filter',
+ 'sort_by' => 'Sortera efter',
+ 'draft' => 'Utkast',
+ 'unpaid' => 'Obetald',
+ 'aging' => 'Börjar bli gammal',
+ 'age' => 'Ålder',
+ 'days' => 'Dagar',
+ 'age_group_0' => '0 - 30 Dagar',
+ 'age_group_30' => '30 - 60 Dagar',
+ 'age_group_60' => '60 - 90 Dagar',
+ 'age_group_90' => '90 - 120 Dagar',
+ 'age_group_120' => '120+ Dagar',
+ 'invoice_details' => 'Faktura detaljer',
+ 'qty' => 'Mängd',
+ 'profit_and_loss' => 'Förtjänst och Förlust',
+ 'revenue' => 'Omsättning',
+ 'profit' => 'Förtjänst',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Gruppera datum på',
+ 'year' => 'År',
+ 'view_statement' => 'Se transaktion',
+ 'statement' => 'Transaktionsdatum',
+ 'statement_date' => 'Sista transaktionsdatum',
+ 'mark_active' => 'Markera aktiv',
+ 'send_automatically' => 'Skicka automatiskt',
+ 'initial_email' => 'Påbörja epost',
+ 'invoice_not_emailed' => 'Denna fakturan har inte epostats.',
+ 'quote_not_emailed' => 'Denna offerten har inte epostats.',
+ 'sent_by' => 'Skickad av :user',
+ 'recipients' => 'Mottagare',
+ 'save_as_default' => 'Spara som standard',
+ 'template' => 'Mall',
+ 'start_of_week_help' => 'Använd av datum väljare',
+ 'financial_year_start_help' => 'Används av datum urvals valen.',
+ 'reports_help' => 'Shift + Click to sort by multiple columns, Ctrl + Click to clear the grouping.',
+ 'this_year' => 'Detta året',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Skapa. Skicka. Få betalt.',
+ 'login_or_existing' => 'Eller logga in med ett kopplat konto.',
+ 'sign_up_now' => 'Ansök nu',
+ 'not_a_member_yet' => 'Inte medlem ännu?',
+ 'login_create_an_account' => 'Skapa ett konto!',
+ 'client_login' => 'Kund inlogg',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Fakturor från:',
+ 'email_alias_message' => 'Vi kräver att varje företag har en unik epost.
Överväg att använda ett alias. T.ex. email+label@example.com',
+ 'full_name' => 'Hela namnet',
+ 'month_year' => 'MÅNAD/ÅR',
+ 'valid_thru' => 'Giltigt\ntill',
+
+ 'product_fields' => 'Produkt fält',
+ 'custom_product_fields_help' => 'Lägg till ett fält när en produkt eller faktura skapas och visa rubriken samt värdet på PDFen.',
+ 'freq_two_months' => 'Två månader',
+ 'freq_yearly' => 'Årligen',
+ 'profile' => 'Profil',
+ 'payment_type_help' => 'Sätt standard betalsätt.',
+ 'industry_Construction' => 'Uppbyggnad',
+ 'your_statement' => 'Dina transaktioner',
+ 'statement_issued_to' => 'Transaktioner utförda till',
+ 'statement_to' => 'Transaktioner till',
+ 'customize_options' => 'Anpassade alternativ',
+ 'created_payment_term' => 'Skapade betalningsvillkor utan problem',
+ 'updated_payment_term' => 'Uppdaterade betalningsvillkor utan problem',
+ 'archived_payment_term' => 'Arkiverat betalningsvillkor utan problem',
+ 'resend_invite' => 'Skicka inbjudan igen',
+ 'credit_created_by' => 'Kredit skapad från betalning :transaction_reference',
+ 'created_payment_and_credit' => 'Skapade betalning och kredit utan problem',
+ 'created_payment_and_credit_emailed_client' => 'Skapade betalning och kredit, och epostade kunden',
+ 'create_project' => 'Skapa projekt',
+ 'create_vendor' => 'Skapa tillverkare',
+ 'create_expense_category' => 'Skapa kategori',
+ 'pro_plan_reports' => ':link för att aktivera rapporter genom att aktivera Pro Planen',
+ 'mark_ready' => 'Markera klar',
+
+ 'limits' => 'Gränser',
+ 'fees' => 'Avgifter',
+ 'fee' => 'Avgift',
+ 'set_limits_fees' => 'Sätt :gateway_type Gränser/Avgifter',
+ 'fees_tax_help' => 'Tillåt rad skatter att säga avgift skattesatser.',
+ 'fees_sample' => 'Avgift för en :amount Faktura hade blivit :total.',
+ 'discount_sample' => 'Rabatten för en :amount faktura skulle bli :total.',
+ 'no_fees' => 'Inga avgifter',
+ 'gateway_fees_disclaimer' => 'Varning: Inte alla stater/betalning gateways tillåter tilläggsavgifter, vänligen referera till lokala lagar/villkor.',
+ 'percent' => 'Procent',
+ 'location' => 'Position',
+ 'line_item' => 'Rad',
+ 'surcharge' => 'Tilläggsavgift',
+ 'location_first_surcharge' => 'Aktiverad - Första tilläggsavgiften',
+ 'location_second_surcharge' => 'Aktiverad - Andra tilläggsavgiften',
+ 'location_line_item' => 'Aktiverad - Rad',
+ 'online_payment_surcharge' => 'Online betalning tilläggsavgift',
+ 'gateway_fees' => 'Gateway avgifter',
+ 'fees_disabled' => 'Avgifter är inaktiverade',
+ 'gateway_fees_help' => 'Lägger automatiskt en online-betalningsavgift/rabatt.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'Om det finns obetalda fakturor med avgifter måste dom uppdateras manuellt.',
+ 'fees_surcharge_help' => 'Anpassa tilläggsavgift :link.',
+ 'label_and_taxes' => 'stämpel och skatter',
+ 'billable' => 'Fakturerbar',
+ 'logo_warning_too_large' => 'Bilden är för stor.',
+ 'logo_warning_fileinfo' => 'Varning: För att stödja gifs måste fileInfo PHP extensions vara aktiverat.',
+ 'logo_warning_invalid' => 'Det var ett problem med att läsa bilden, vänligen testa ett annat format.',
+
+ 'error_refresh_page' => 'Ett fel uppstod, vänligen uppdatera sidan och försök igen.',
+ 'data' => 'Information',
+ 'imported_settings' => 'Framgångsrikt importerat inställningar',
+ 'reset_counter' => 'Återställ räknare',
+ 'next_reset' => 'Nästa återställning',
+ 'reset_counter_help' => 'Återställ automatiskt faktura och offert räknare.',
+ 'auto_bill_failed' => 'Auto-betalning för Faktura :Invoice_number misslyckades',
+ 'online_payment_discount' => 'Kortbetalnings rabatt',
+ 'created_new_company' => 'Framgångsrikt skapat nytt företag',
+ 'fees_disabled_for_gateway' => 'Avgifter är inaktiverade för denna gateway.',
+ 'logout_and_delete' => 'Logga ut/Ta bort konto',
+ 'tax_rate_type_help' => 'Inklusive skatt värde justeras på raden när det väljs.
Endast exklusive skatt värde kan användas som standard.',
+ 'invoice_footer_help' => 'Använd $pageNumber och $pageCount för att visa sidinformation.',
+ 'credit_note' => 'Kreditnota',
+ 'credit_issued_to' => 'Kredit skapat för',
+ 'credit_to' => 'Kreditera till',
+ 'your_credit' => 'Din kredit',
+ 'credit_number' => 'Kreditnummer',
+ 'create_credit_note' => 'Skapa kreditnota',
+ 'menu' => 'Meny',
+ 'error_incorrect_gateway_ids' => 'Fel: En eller flera gatewaytabeller har fel ids.',
+ 'purge_data' => 'Rensa uppgifter.',
+ 'delete_data' => 'Ta bort uppgifter',
+ 'purge_data_help' => 'Ta bort all data permanent men behåll konto och inställningar.',
+ 'cancel_account_help' => 'Permanent borttagning av konto tillsammans med all information och inställningar.',
+ 'purge_successful' => 'Rensade utan problem företags data',
+ 'forbidden' => 'Förbjudet',
+ 'purge_data_message' => 'Varning: Detta kommer permanent ta bort din information, det finns ingen återvända.',
+ 'contact_phone' => 'Kontakt telefon',
+ 'contact_email' => 'Kontakt e-post',
+ 'reply_to_email' => 'Reply-To E-post',
+ 'reply_to_email_help' => 'Specifiera reply-to adress för klient mail.',
+ 'bcc_email_help' => 'Inkludera denna adress privat med kundens e-post.',
+ 'import_complete' => 'Din import har slutförts utan problem.',
+ 'confirm_account_to_import' => 'Vänligen bekräfta ditt konto för att importera data.',
+ 'import_started' => 'Din import har startat, vi skickar ett epost meddelande när det är klart.',
+ 'listening' => 'Lyssnar....',
+ 'microphone_help' => 'Säg "ny faktura till [kund]" eller "visa mig [kund]´s arkiverade betalningar"',
+ 'voice_commands' => 'Röst kommando',
+ 'sample_commands' => 'Test kommandon',
+ 'voice_commands_feedback' => 'Vi arbetat aktivt med att förbättra denna funktion, om där är ett kommando du vill vi ska stödja skicka ett mail till :email',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Fastpris i förskott - Money Order',
+ 'archived_products' => 'Arkiverade :count produkter utan problem',
+ 'recommend_on' => 'Vi rekommenderar aktivering av denna inställning.',
+ 'recommend_off' => 'Vi rekommenderar inaktivering av denna inställning.',
+ 'notes_auto_billed' => 'Automatisk fakturering',
+ 'surcharge_label' => 'Tilläggsetikett',
+ 'contact_fields' => 'Kontaktfält',
+ 'custom_contact_fields_help' => 'Lägg till ett fält vid skapandet av kontakt och möjliggör visandet av rubriken samt värdet på PDF´n.',
+ 'datatable_info' => 'Visar :start till :end av :total poster',
+ 'credit_total' => 'Kredit Totalt',
+ 'mark_billable' => 'Markera debiterbar',
+ 'billed' => 'Fakturerad',
+ 'company_variables' => 'Företagsvariabler',
+ 'client_variables' => 'Klientvariabler',
+ 'invoice_variables' => 'Fakturavariabler',
+ 'navigation_variables' => 'Navigationsvariabler',
+ 'custom_variables' => 'Anpassade variabler',
+ 'invalid_file' => 'Ogiltig filtyp',
+ 'add_documents_to_invoice' => 'Bifoga dokument till fakturan',
+ 'mark_expense_paid' => 'Markera som betald',
+ 'white_label_license_error' => 'Misslyckas att validera licensen, kolla storage/logs/laravel-error.log för mer detaljer.',
+ 'plan_price' => 'Pris plan',
+ 'wrong_confirmation' => 'Ogiltig bekräftelsekod',
+ 'oauth_taken' => 'Kontot är redan registerat',
+ 'emailed_payment' => 'Epostade betalningen utan problem',
+ 'email_payment' => 'Eposta betalning',
+ 'invoiceplane_import' => 'Använd :link för att migrera din data från InvoicePlane.',
+ 'duplicate_expense_warning' => 'Varning: Denna :link kan vara en dubblett',
+ 'expense_link' => 'utgifter',
+ 'resume_task' => 'fortsätt uppgift',
+ 'resumed_task' => 'fortsatt uppgiften utan problem',
+ 'quote_design' => 'Offert design',
+ 'default_design' => 'Standard design',
+ 'custom_design1' => 'Anpassad design 1',
+ 'custom_design2' => 'Anpassad design 2',
+ 'custom_design3' => 'Anpassad design 3',
+ 'empty' => 'Tom',
+ 'load_design' => 'Ladda design',
+ 'accepted_card_logos' => 'Accepterade kort logos',
+ 'phantomjs_local_and_cloud' => 'Använder lokal PhantomJS, återgår till phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics nyckel',
+ 'analytics_key_help' => 'Följ betalningar via :link',
+ 'start_date_required' => 'Start datum är nödvändig',
+ 'application_settings' => 'Program inställning',
+ 'database_connection' => 'Databas koppling',
+ 'driver' => 'Driver',
+ 'host' => 'Värd',
+ 'database' => 'Databas',
+ 'test_connection' => 'Testa koppling',
+ 'from_name' => 'Från namn',
+ 'from_address' => 'Från adress',
+ 'port' => 'Port',
+ 'encryption' => 'Kryptering',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Skicka test meddelande',
+ 'select_label' => 'Välj rubrik',
+ 'label' => 'Rubrik',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Uppdatera betalnings detaljer',
+ 'updated_payment_details' => 'Uppdaterade betalningsdetaljer utan problem',
+ 'update_credit_card' => 'Uppdatera kreditkort',
+ 'recurring_expenses' => 'Återkommande utgifter',
+ 'recurring_expense' => 'Återkommande utgift',
+ 'new_recurring_expense' => 'Ny återkommande utgift',
+ 'edit_recurring_expense' => 'Ändra återkommande utgift',
+ 'archive_recurring_expense' => 'Arkivera återkommande utgift',
+ 'list_recurring_expense' => 'Lista återkommande utgifter',
+ 'updated_recurring_expense' => 'Uppdaterade återkommande utgift utan problem',
+ 'created_recurring_expense' => 'Skapade återkommande utgift utan problem',
+ 'archived_recurring_expense' => 'Arkiverade återkommande utgift utan problem',
+ 'archived_recurring_expense' => 'Arkiverade återkommande utgift utan problem',
+ 'restore_recurring_expense' => 'Återställ återkommande utgift',
+ 'restored_recurring_expense' => 'Återställde återkommande utgifter utan problem',
+ 'delete_recurring_expense' => 'Ta bort återkommande utgifter',
+ 'deleted_recurring_expense' => 'Tog bort projektet utan problem',
+ 'deleted_recurring_expense' => 'Tog bort projektet utan problem',
+ 'view_recurring_expense' => 'Se återkommande utgifter',
+ 'taxes_and_fees' => 'Skatter och avgifter',
+ 'import_failed' => 'Import misslyckades',
+ 'recurring_prefix' => 'Återkommande prefix',
+ 'options' => 'Val',
+ 'credit_number_help' => 'Specificera ett prefix eller använd ett egendefinierat värde för att dynamiskt sätta kredit värdet på negativa fakturor.',
+ 'next_credit_number' => 'Nästa kreditkortsnummer är :number.',
+ 'padding_help' => 'Antal nollor för att fylla ut numret',
+ 'import_warning_invalid_date' => 'Varning: Datumformatet verkar vara ogiltigt',
+ 'product_notes' => 'Produkt notiser',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link för att få dina Stripe API nycklar.',
+ 'error_app_key_set_to_default' => 'Fel: APP_KEY är satt till ett standard värde, för att uppdatera det backupa din databas och sen kör php artisan ninja:update-key
',
+ 'charge_late_fee' => 'Ändra förseningsavgift',
+ 'late_fee_amount' => 'Förseningsavgifts summa',
+ 'late_fee_percent' => 'Förseningsavgifts procent',
+ 'late_fee_added' => 'Förseningsavgift tillagt den :date',
+ 'download_invoice' => 'Hämta faktura',
+ 'download_quote' => 'Hämta offert',
+ 'invoices_are_attached' => 'Din faktura PDF är bifogad.',
+ 'downloaded_invoice' => 'Ett e-post med faktura PDF kommer skickas',
+ 'downloaded_quote' => 'Ett e-post med offert PDF kommer skickas',
+ 'downloaded_invoices' => 'Ett e-post med faktura PDFer kommer skickas',
+ 'downloaded_quotes' => 'Ett e-post med offert PDFer kommer skickas',
+ 'clone_expense' => 'Klona utgift',
+ 'default_documents' => 'Standard dokument',
+ 'send_email_to_client' => 'Skicka e-post till kunden',
+ 'refund_subject' => 'Återbetalning hanterad',
+ 'refund_body' => 'Du har fått en återbetalning på :amount för faktura :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'Brittiska pund',
+ 'currency_euro' => 'Euro',
+ 'currency_south_african_rand' => 'South African Rand',
+ 'currency_danish_krone' => 'Danska kronor',
+ 'currency_israeli_shekel' => 'Israeli Shekel',
+ 'currency_swedish_krona' => 'Svenska kronor',
+ '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_norske_kroner' => 'Norska kronor',
+ '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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Säkerställ att du använder Engelska versionen av filerna
Vi använder kolumn headern för att matcha fälten.',
+ 'tax1' => 'Första moms',
+ 'tax2' => 'Andra moms',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Exporteringsformat',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Valuta',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Artikel momssats',
+ 'item_tax_name' => 'Artikel moms namn',
+ 'item_tax1' => 'Artikel moms1',
+ 'item_tax2' => 'Artikel moms2',
+
+ 'delete_company' => 'Ta bort företag',
+ 'delete_company_help' => 'Ta permanent bort bolaget tillsammans med all data och inställningar.',
+ 'delete_company_message' => 'Varning: Detta kommer permanent ta bort till bolag, det finns ingen återvändo.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Inkludera fel',
+ 'include_errors_help' => 'Inkludera :link från lagring/loggar/laravel-error.log',
+ 'recent_errors' => 'senaste felen',
+ 'customer' => 'Kund',
+ 'customers' => 'Kunder',
+ 'created_customer' => 'Skapat kund utan problem',
+ 'created_customers' => 'Skapat :count kunder utan problem',
+
+ 'purge_details' => 'All data i ditt bolag (:account) har tagits bort utan problem.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Ditt bolag (:account) har tagits bort utan problem',
+ 'deleted_account_details' => 'Ditt konto (:account) har tagits bort utan problem.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Acceptera Allpay',
+ 'enable_sofort' => 'Acceptera EU Bank överföringar',
+ 'stripe_alipay_help' => 'Dessa gateways behöver också aktiveras i :link.',
+ 'calendar' => 'Kalender',
+ 'pro_plan_calendar' => ':link för att aktivera kalender genom att uppgradera till Pro Planen',
+
+ 'what_are_you_working_on' => 'Vad jobbar du med?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Uppdatera',
+ 'filter_sort' => 'Filtrera/Sortera',
+ 'no_description' => 'Ingen beskrivning',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Spara eller avbryt ändringar',
+ 'discard_changes' => 'Avbryt ändringar',
+ 'tasks_not_enabled' => 'Uppgifter är inte aktiverade',
+ 'started_task' => 'Startat uppgift utan problem',
+ 'create_client' => 'Skapa kund',
+
+ 'download_desktop_app' => 'Ladda ner skrivbords appen',
+ 'download_iphone_app' => 'Ladda ner iPhone appen',
+ 'download_android_app' => 'Ladda ner Android appen',
+ 'time_tracker_mobile_help' => 'Dubbelklicka för att välja den',
+ 'stopped' => 'Stoppad',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sortera',
+ 'sort_direction' => 'Riktning',
+ 'discard' => 'Discard',
+ 'time_am' => 'FM',
+ 'time_pm' => 'EM',
+ 'time_mins' => 'min',
+ 'time_hr' => 'tim',
+ 'time_hrs' => 'timmar',
+ 'clear' => 'Rensa',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Uppgifts taxa',
+ 'task_rate_help' => 'Sätt standard debiteringen för fakturerade uppgifter.',
+ 'past_due' => 'Förfallen',
+ 'document' => 'Dokument',
+ 'invoice_or_expense' => 'Faktura/Utgift',
+ 'invoice_pdfs' => 'Faktura PDFer',
+ 'enable_sepa' => 'Acceptera SEPA',
+ 'enable_bitcoin' => 'Acceptera Bitcoin ',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Återskapa licens',
+ 'purchase' => 'Köp',
+ 'recover' => 'Återskapa',
+ 'apply' => 'Verkställ',
+ 'recover_white_label_header' => 'Återskapa White Label licens',
+ 'apply_white_label_header' => 'Aktivera White Label licens',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Återgå till faktura',
+ 'gateway_help_13' => 'För att använda ITN lämna PDT nyckel fältet blankt.',
+ 'partial_due_date' => 'Delvis förfallen',
+ 'task_fields' => 'Uppgifts fält',
+ 'product_fields_help' => 'Drag och släpp fält för att ändra deras ordning',
+ 'custom_value1' => 'Anpassat värde',
+ 'custom_value2' => 'Anpassat värde',
+ 'enable_two_factor' => 'Tvåfaktorsautentisering',
+ 'enable_two_factor_help' => 'Använd din telefon för att bekräfta identitet vid inlogg',
+ 'two_factor_setup' => 'Tvåfaktor inställning',
+ 'two_factor_setup_help' => 'Skanna streckkoden med en :link kompatibel app.',
+ 'one_time_password' => 'Engångs lösenord',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Aktiverade Två-Vägs autentisering utan problem',
+ 'add_product' => 'Lägg till produkt',
+ 'email_will_be_sent_on' => 'Notis: e-posten kommer skickad den :date',
+ 'invoice_product' => 'Faktura produkt',
+ 'self_host_login' => 'Self-Host Inlogg',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Fel: lokal lagring är inte tillgänglig.',
+ 'your_password_reset_link' => 'Din lösenordsåterställnings länk',
+ 'subdomain_taken' => 'Subdomänen är upptagen',
+ 'client_login' => 'Kund inlogg',
+ 'converted_amount' => 'Konverterad summa',
+ 'default' => 'Standard',
+ 'shipping_address' => 'Leverans adress',
+ 'bllling_address' => 'Fakturerings adress',
+ 'billing_address1' => 'Fakturerings gata',
+ 'billing_address2' => 'Fakturerings våning',
+ 'billing_city' => 'Fakturerings stad',
+ 'billing_state' => 'Fakturerings län',
+ 'billing_postal_code' => 'Fakturerings postnummer',
+ 'billing_country' => 'Fakturerings land',
+ 'shipping_address1' => 'Leverans gata',
+ 'shipping_address2' => 'Leverans våning',
+ 'shipping_city' => 'Leverans stad',
+ 'shipping_state' => 'Leverans län',
+ 'shipping_postal_code' => 'Leverans postnummer',
+ 'shipping_country' => 'Leverans land',
+ 'classify' => 'Klassificera ',
+ 'show_shipping_address_help' => 'Kräv att kunden skriver sin leveransadress',
+ 'ship_to_billing_address' => 'Skicka till fakturaadress',
+ 'delivery_note' => 'Följesedel',
+ 'show_tasks_in_portal' => 'Visa uppgifter i kund portalen',
+ 'cancel_schedule' => 'Avbryt schema',
+ 'scheduled_report' => 'Schemalagd rapport',
+ 'scheduled_report_help' => 'Eposta :report rapporten som :format till :email',
+ 'created_scheduled_report' => 'Schemalagt rapporten utan problem',
+ 'deleted_scheduled_report' => 'Avbrutit den schemalagda rapporten utan problem',
+ 'scheduled_report_attached' => 'Din schemalagda :type rapport är bifogad.',
+ 'scheduled_report_error' => 'Misslyckades med att skapa schemalagd rapport',
+ 'invalid_one_time_password' => 'Ogiltigt engångs lösen',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Acceptera Apple Pay och Betala med Google',
+ 'requires_subdomain' => 'Denna betalningstyp kräver att en :link.',
+ 'subdomain_is_set' => 'subdomän är vald',
+ 'verification_file' => 'Verifikations fil',
+ 'verification_file_missing' => 'Verifikationsfilen behövs för att acceptera betalningar.',
+ 'apple_pay_domain' => 'Använd :domain
som domän i :link.',
+ 'apple_pay_not_supported' => 'Tyvärr, Apple/Google Pay är inte supportat i din webbläsare ',
+ 'optional_payment_methods' => 'Alternativa betalningssätt',
+ 'add_subscription' => 'Lägg till prenumeration',
+ 'target_url' => 'Mål',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Händelse',
+ 'subscription_event_1' => 'Skapat kund',
+ 'subscription_event_2' => 'Skapat faktura',
+ 'subscription_event_3' => 'Skapat offert',
+ 'subscription_event_4' => 'Skapat betalning',
+ 'subscription_event_5' => 'Skapat tillverkare',
+ 'subscription_event_6' => 'Uppdaterat offert',
+ 'subscription_event_7' => 'Tagit bort offert',
+ 'subscription_event_8' => 'Uppdaterat faktura',
+ 'subscription_event_9' => 'Tagit bort faktura',
+ 'subscription_event_10' => 'Uppdaterat kund',
+ 'subscription_event_11' => 'Tagit bort kund',
+ 'subscription_event_12' => 'Tagit bort betalning',
+ 'subscription_event_13' => 'Uppdaterat tillverkare',
+ 'subscription_event_14' => 'Tagit bort tillverkare',
+ 'subscription_event_15' => 'Skapat utgift',
+ 'subscription_event_16' => 'Uppdaterat utgift ',
+ 'subscription_event_17' => 'Tagit bort utgift',
+ 'subscription_event_18' => 'Skapat uppgift',
+ 'subscription_event_19' => 'Uppdaterat uppgift',
+ 'subscription_event_20' => 'Tagit bort uppgift',
+ 'subscription_event_21' => 'Godkänt offert',
+ 'subscriptions' => 'Prenumerationer',
+ 'updated_subscription' => 'Uppdaterat prenumerationer utan problem',
+ 'created_subscription' => 'Skapat prenumerationer utan problem',
+ 'edit_subscription' => 'Ändra prenumeration',
+ 'archive_subscription' => 'Arkivera prenumeration',
+ 'archived_subscription' => 'Arkivera prenumeration utan problem',
+ 'project_error_multiple_clients' => 'Projektet kan inte tillhöra olika kunder',
+ 'invoice_project' => 'Fakturera projekt',
+ 'module_recurring_invoice' => 'Återkommande fakturor',
+ 'module_credit' => 'Krediter',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Uppgifter & Projekt',
+ 'module_expense' => 'Utgifter & Tillverkare',
+ 'reminders' => 'Påminnelser',
+ 'send_client_reminders' => 'Skicka e-post påminnelser',
+ 'can_view_tasks' => 'Uppgifter är synliga i portalen',
+ 'is_not_sent_reminders' => 'Påminnelser är inte skickade',
+ 'promotion_footer' => 'Ditt erbjudande löper snart ut, :link för att uppgradera nu.',
+ 'unable_to_delete_primary' => 'Notis: för att ta bort detta bolaget ta först bort alla länkade bolag.',
+ 'please_register' => 'Vänligen registrera ditt konto',
+ 'processing_request' => 'Arbetar med förfrågning',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Ändra tider',
+ 'inclusive_taxes_help' => 'Inkludera moms i kostnaden',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Kopiera frakt',
+ 'copy_billing' => 'Kopiera betalning',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Visar 0 till 0 av 0 poster',
+ 'do_not_trust' => 'Kom inte ihåg denna enheten',
+ 'trust_for_30_days' => 'Kom ihåg i 30 dagar',
+ 'trust_forever' => 'Kom ihåg för alltid',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Klart att arbeta med',
+ 'in_progress' => 'Under behandling',
+ 'add_status' => 'Lägg till status',
+ 'archive_status' => 'Arkivera status',
+ 'new_status' => 'Ny status',
+ 'convert_products' => 'Konvertera produkter',
+ 'convert_products_help' => 'Konvertera automatiskt produkt priser till kundens valuta ',
+ 'improve_client_portal_link' => 'Sätt en subdomän för att korta ner kund portals länken.',
+ 'budgeted_hours' => 'Budgeterade timmar',
+ 'progress' => 'Utveckling',
+ 'view_project' => 'Se projekt',
+ 'summary' => 'Summering',
+ 'endless_reminder' => 'Oändlig påminnelse',
+ 'signature_on_invoice_help' => 'Lägg till följande kod för att visa din kunds signatur på PDF´n.',
+ 'signature_on_pdf' => 'Visa på PDF',
+ 'signature_on_pdf_help' => 'Visa kundens signatur på fakturan/offerten.',
+ 'expired_white_label' => 'White label licensen har gått ut',
+ 'return_to_login' => 'Återgå till inlogg',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Använd Label|Option1,Option2
för att visa vald box.',
+ 'client_information' => 'Kund information',
+ 'updated_client_details' => 'Uppdaterade kund detaljer utan problem',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Moms summa',
+ 'tax_paid' => 'Moms betalad',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Mall',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'Se offert',
+ 'view_in_portal' => 'Se i portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'Alla fakturor',
+ 'my_invoices' => 'Mina fakturor',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/sv/validation.php b/resources/lang/sv/validation.php
new file mode 100644
index 000000000000..a70f3ce8f165
--- /dev/null
+++ b/resources/lang/sv/validation.php
@@ -0,0 +1,114 @@
+ ":attribute måste accepteras.",
+ "active_url" => ":attribute är inte en giltig webbadress.",
+ "after" => ":attribute måste vara ett datum efter den :date.",
+ "alpha" => ":attribute får endast innehålla bokstäver.",
+ "alpha_dash" => ":attribute får endast innehålla bokstäver, siffror och bindestreck.",
+ "alpha_num" => ":attribute får endast innehålla bokstäver och siffror.",
+ "array" => ":attribute måste vara en array.",
+ "before" => ":attribute måste vara ett datum innan den :date.",
+ "between" => [
+ "numeric" => ":attribute måste vara en siffra mellan :min och :max.",
+ "file" => ":attribute måste vara mellan :min till :max kilobyte stor.",
+ "string" => ":attribute måste innehålla :min till :max tecken.",
+ "array" => ":attribute måste innehålla mellan :min - :max objekt.",
+ ],
+ "boolean" => ":attribute måste vara sant eller falskt",
+ "confirmed" => ":attribute bekräftelsen matchar inte.",
+ "date" => ":attribute är inte ett giltigt datum.",
+ "date_format" => ":attribute matchar inte formatet :format.",
+ "different" => ":attribute och :other får inte vara lika.",
+ "digits" => ":attribute måste vara minst :digits tecken.",
+ "digits_between" => ":attribute måste vara mellan :min och :max tecken.",
+ "email" => "Fältet :attribute måste innehålla en korrekt e-postadress.",
+ "exists" => "Det valda :attribute är ogiltigt.",
+ "filled" => "Fältet :attribute är obligatoriskt.",
+ "image" => ":attribute måste vara en bild.",
+ "in" => "Det valda :attribute är ogiltigt.",
+ "integer" => ":attribute måste vara en siffra.",
+ "ip" => ":attribute måste vara en giltig IP-adress.",
+ "max" => [
+ "numeric" => ":attribute får inte vara större än :max.",
+ "file" => ":attribute får max vara :max kilobyte stor.",
+ "string" => ":attribute får max innehålla :max tecken.",
+ "array" => ":attribute får inte innehålla mer än :max objekt.",
+ ],
+ "mimes" => ":attribute måste vara en fil av typen: :values.",
+ "min" => [
+ "numeric" => ":attribute måste vara större än :min.",
+ "file" => ":attribute måste vara minst :min kilobyte stor.",
+ "string" => ":attribute måste innehålla minst :min tecken.",
+ "array" => ":attribute måste innehålla minst :min objekt.",
+ ],
+ "not_in" => "Det valda :attribute är ogiltigt.",
+ "numeric" => ":attribute måste vara en siffra.",
+ "regex" => "Formatet för :attribute är ogiltigt.",
+ "required" => "Fältet :attribute är obligatoriskt.",
+ "required_if" => "Fältet :attribute är obligatoriskt då :other är :value.",
+ "required_with" => "Fältet :attribute är obligatoriskt då :values är ifyllt.",
+ "required_with_all" => "Fältet :attribute är obligatoriskt när :values är ifyllt.",
+ "required_without" => "Fältet :attribute är obligatoriskt då :values ej är ifyllt.",
+ "required_without_all" => "Fältet :attribute är obligatoriskt när ingen av :values är ifyllt.",
+ "same" => ":attribute och :other måste vara lika.",
+ "size" => [
+ "numeric" => ":attribute måste vara :size.",
+ "file" => ":attribute får endast vara :size kilobyte stor.",
+ "string" => ":attribute måste innehålla :size tecken.",
+ "array" => ":attribute måste innehålla :size objekt.",
+ ],
+ "timezone" => ":attribute måste vara en giltig tidszon.",
+ "unique" => ":attribute används redan.",
+ "url" => "Formatet :attribute är ogiltigt.",
+
+ "positive" => "The :attribute must be greater than zero.",
+ "has_credit" => "The client does not have enough credit.",
+ "notmasked" => "The values are masked",
+ "less_than" => 'The :attribute must be less than :value',
+ "has_counter" => 'The value must contain {$counter}',
+ "valid_contacts" => "All of the contacts must have either an email or name",
+ "valid_invoice_items" => "The invoice exceeds the maximum amount",
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [],
+
+];
diff --git a/resources/lang/th/auth.php b/resources/lang/th/auth.php
new file mode 100644
index 000000000000..ae2426c4cdc0
--- /dev/null
+++ b/resources/lang/th/auth.php
@@ -0,0 +1,19 @@
+ 'ข้อมูลที่ใช้ในการยืนยันตัวตนไม่ถูกต้อง',
+ 'throttle' => 'คุณได้พยายามเข้าระบบหลายครั้งเกินไป กรุณาลองใหม่ใน :seconds วินาทีข้างหน้า.',
+
+];
diff --git a/resources/lang/th/pagination.php b/resources/lang/th/pagination.php
new file mode 100644
index 000000000000..1e3738f2510c
--- /dev/null
+++ b/resources/lang/th/pagination.php
@@ -0,0 +1,19 @@
+ '« ก่อนหน้า',
+ 'next' => 'ถัดไป »',
+
+];
diff --git a/resources/lang/th/passwords.php b/resources/lang/th/passwords.php
new file mode 100644
index 000000000000..098ff8228e67
--- /dev/null
+++ b/resources/lang/th/passwords.php
@@ -0,0 +1,22 @@
+ 'รหัสผ่านต้องมีความยาวอย่างน้อยหกตัวอักษรและต้องตรงกับช่องยืนยันรหัสผ่าน',
+ 'reset' => 'ทำการตั้งค่ารหัสผ่านใหม่แล้ว',
+ 'sent' => 'ส่งเครื่องช่วยเตือนความจำรหัสผ่านแล้ว!',
+ 'token' => 'ชุดรหัสสำหรับการเปลี่ยนรหัสผ่านไม่ถูกต้อง',
+ 'user' => 'ไม่พบผู้ใช้งานที่ตรงกับอีเมล์นี้',
+
+];
diff --git a/resources/lang/th/texts.php b/resources/lang/th/texts.php
new file mode 100644
index 000000000000..d617e6eda33c
--- /dev/null
+++ b/resources/lang/th/texts.php
@@ -0,0 +1,2874 @@
+ 'องค์กร',
+ 'name' => 'ชื่อ',
+ 'website' => 'เว็บไซต์',
+ 'work_phone' => 'โทรศัพท์',
+ 'address' => 'ที่อยู่',
+ 'address1' => 'ถนน',
+ 'address2' => 'อาคาร',
+ 'city' => 'อำเภอ',
+ 'state' => 'จังหวัด',
+ 'postal_code' => 'รหัสไปรษณีย์',
+ 'country_id' => 'ประเทศ',
+ 'contacts' => 'ผู้ติดต่อ',
+ 'first_name' => 'ชื่อ',
+ 'last_name' => 'นามสกุล',
+ 'phone' => 'โทร.',
+ 'email' => 'อีเมล',
+ 'additional_info' => 'ข้อมูลเพิ่มเติม',
+ 'payment_terms' => 'เงื่อนไขการชำระ',
+ 'currency_id' => 'สกุลเงิน',
+ 'size_id' => 'ขนาดบริษัท',
+ 'industry_id' => 'อุตสาหกรรม',
+ 'private_notes' => 'หมายเหตุภายใน',
+ 'invoice' => 'ใบแจ้งหนี้',
+ 'client' => 'ลูกค้า',
+ 'invoice_date' => 'วันที่แจ้งหนี้',
+ 'due_date' => 'วันถึงกำหนดชำระ',
+ 'invoice_number' => 'เลขที่ใบแจ้งหนี้',
+ 'invoice_number_short' => 'Invoice #',
+ 'po_number' => 'เลขที่ใบสั่งซื้อ',
+ 'po_number_short' => 'PO #',
+ 'frequency_id' => 'ความถี่',
+ 'discount' => 'ส่วนลด',
+ 'taxes' => 'ภาษี',
+ 'tax' => 'ภาษี',
+ 'item' => 'รายการ',
+ 'description' => 'รายละเอียด',
+ 'unit_cost' => 'ราคาต่อหน่วย',
+ 'quantity' => 'จำนวน',
+ 'line_total' => 'รวมเงิน',
+ 'subtotal' => 'รวมเงิน',
+ 'paid_to_date' => 'ยอดชำระแล้ว',
+ 'balance_due' => 'ยอดคงเหลือ',
+ 'invoice_design_id' => 'ออกแบบ',
+ 'terms' => 'เงื่อนไข',
+ 'your_invoice' => 'ใบแจ้งหนี้ของคุณ',
+ 'remove_contact' => 'ลบผู้ติดต่อ',
+ 'add_contact' => 'เพิ่มผู้ติดต่อ',
+ 'create_new_client' => 'สร้างลูกค้าใหม่',
+ 'edit_client_details' => 'แก้ไขรายละเอียดลูกค้า',
+ 'enable' => 'เปิดใช้งาน',
+ 'learn_more' => 'อ่านต่อ',
+ 'manage_rates' => 'จัดการอัตรา',
+ 'note_to_client' => 'หมายเหตุสำหรับลูกค้า',
+ 'invoice_terms' => 'ระยะเวลาใบแจ้งหนี้',
+ 'save_as_default_terms' => 'บันทึกเป็น Default Terms',
+ 'download_pdf' => 'ดาวน์โหลด PDF',
+ 'pay_now' => 'จ่ายเดี๋ยวนี้',
+ 'save_invoice' => 'บันทึกใบแจ้งหนี้',
+ 'clone_invoice' => 'ทำใบแจ้งหนี้ซ้ำ',
+ 'archive_invoice' => 'เก็บบันทึกใบแจ้งหนี้',
+ 'delete_invoice' => 'ลบใบแจ้งหนี้',
+ 'email_invoice' => 'ส่งอีเมล',
+ 'enter_payment' => 'เพิ่มรายการจ่ายเงิน',
+ 'tax_rates' => 'อัตราภาษี',
+ 'rate' => 'อัตรา',
+ 'settings' => 'การตั้งค่า',
+ 'enable_invoice_tax' => 'เปิดใช้งานการระบุ ภาษีใบแจ้งหนี้',
+ 'enable_line_item_tax' => 'เปิดใช้การระบุภาษีสินค้า',
+ 'dashboard' => 'แดชบอร์ด',
+ 'clients' => 'ลูกค้า',
+ 'invoices' => 'ใบแจ้งหนี้',
+ 'payments' => 'การจ่ายเงิน',
+ 'credits' => 'เครดิต',
+ 'history' => 'ประวัติ',
+ 'search' => 'ค้นหา',
+ 'sign_up' => 'ลงทะเบียน',
+ 'guest' => 'ผู้มาเยือน',
+ 'company_details' => 'รายละเอียดบริษัท',
+ 'online_payments' => 'การจ่ายเงินออนไลน์',
+ 'notifications' => 'การแจ้งเตือน',
+ 'import_export' => 'นำเข้า | ส่งออก',
+ 'done' => 'เรียบร้อย',
+ 'save' => 'บันทึก',
+ 'create' => 'สร้าง',
+ 'upload' => 'อัพโหลด',
+ 'import' => 'นำเข้า',
+ 'download' => 'ดาวน์โหลด',
+ 'cancel' => 'ยกเลิก',
+ 'close' => 'ปิด',
+ 'provide_email' => 'กรุณาระบุอีเมลที่ถูกต้อง',
+ 'powered_by' => 'สนับสนุนโดย',
+ 'no_items' => 'ไม่มีรายการ',
+ 'recurring_invoices' => 'ทำใบแจ้งหนี้ซ้ำ',
+ 'recurring_help' => 'ส่งใบแจ้งหนี้ใบเดิมให้ทุกอาทิตย์,สองครั้งต่อเดือน,เดือนละครั้ง,ทุกสามเดือนหรือทุกปี
+ใช้ :MONTH, :QUARTER หรือ :YEAR สำหรับวันที่เปลี่ยนไป. ตรงตามเดือนยิ่งดี, ตัวอย่าง :MONTH-1.
+
ตัวอย่างใบแจ้งหนี้ที่เปลี่ยนแปลงไป:
+
+- "Gym สมาชิกสำหรับเดือน :MONTH" >> "Gym สมาชิกสำหรับเดือนกรกฎาคม"
+- ":ปี+1 สมัครสมาชิกรายปี" >> "2015 เป็นสมัครสมาชิกรายปี"
+- "เงินประกันสำหรับ :QUARTER+1" >> " ดำเนินการชำระเงินในไตรมาศที่ 2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'รายได้รวมทั้งหมด',
+ 'billed_client' => 'ลูกค้าที่เรียกเก็บเงิน',
+ 'billed_clients' => 'ลูกค้าที่เรียกเก็บเงิน',
+ 'active_client' => 'ลูกค้าที่ใช้งานอยู่',
+ 'active_clients' => 'ลูกค้าที่ใช้งานอยู่',
+ 'invoices_past_due' => 'ใบแจ้งหนี้ที่ครบกำหนดชำระแล้ว',
+ 'upcoming_invoices' => 'ใบแจ้งหนี้ที่จะเกิดขึ้น',
+ 'average_invoice' => 'ใบแจ้งหนี้เฉลี่ย',
+ 'archive' => 'เอกสารเก่า',
+ 'delete' => 'ลบ',
+ 'archive_client' => 'เอกสารเก่าลูกค้า',
+ 'delete_client' => 'ลบลูกค้า',
+ 'archive_payment' => 'เอกสารการจ่ายเงิน',
+ 'delete_payment' => 'ลบการจ่ายเงิน',
+ 'archive_credit' => 'เอกสารเครดิต',
+ 'delete_credit' => 'ลบเครดิต',
+ 'show_archived_deleted' => 'แสดงเอกสารที่เก็บถาวร / ลบแล้ว',
+ 'filter' => 'กรอง',
+ 'new_client' => 'เพิ่มลูกค้า',
+ 'new_invoice' => 'เพิ่มใบแจ้งหนี้',
+ 'new_payment' => 'ป้อนการชำระเงิน',
+ 'new_credit' => 'ป้อนเครดิต',
+ 'contact' => 'ผู้ติดต่อ',
+ 'date_created' => 'วันที่ทำรายการ',
+ 'last_login' => 'ล็อกอินล่าล่าสุด',
+ 'balance' => 'ยอดคงเหลือ',
+ 'action' => 'การกระทำ',
+ 'status' => 'สถานะ',
+ 'invoice_total' => 'ยอดรวมตามใบแจ้งหนี้',
+ 'frequency' => 'ความถี่',
+ 'start_date' => 'วันที่เริ่ม',
+ 'end_date' => 'วันที่สิ้นสุด',
+ 'transaction_reference' => 'รายการอ้างอิง',
+ 'method' => 'วิธี',
+ 'payment_amount' => 'ยอดจ่าย',
+ 'payment_date' => 'กำหนดจ่าย',
+ 'credit_amount' => 'ยอดเครดิต',
+ 'credit_balance' => 'เครดิตคงเหลือ',
+ 'credit_date' => 'วันที่เครดิต',
+ 'empty_table' => 'ไม่มีข้อมูลในตารางฐานข้อมูล',
+ 'select' => 'เลือก',
+ 'edit_client' => 'แก้ไขลูกค้า',
+ 'edit_invoice' => 'แก้ไขใบแจ้งหนี้',
+ 'create_invoice' => 'สร้างใบแจ้งหนี้',
+ 'enter_credit' => 'เพิ่มเครดิต',
+ 'last_logged_in' => 'เข้าระบบล่าสุด',
+ 'details' => 'รายละเอียด',
+ 'standing' => 'ยอดคงค้าง',
+ 'credit' => 'เครดิต',
+ 'activity' => 'กิจกรรม',
+ 'date' => 'วันที่',
+ 'message' => 'ข้อความ',
+ 'adjustment' => 'ปรับปรุงรายการ',
+ 'are_you_sure' => 'แน่ใจหรือไม่?',
+ 'payment_type_id' => 'ประเภทการจ่ายเงิน',
+ 'amount' => 'ยอดเงิน',
+ 'work_email' => 'อีเมล',
+ 'language_id' => 'ภาษา',
+ 'timezone_id' => 'เขตเวลา',
+ 'date_format_id' => 'รูปแบบวันที่',
+ 'datetime_format_id' => 'รูปแบบวันที่/เวลา',
+ 'users' => 'ผู้ใช้งาน',
+ 'localization' => 'การปรับให้เข้ากับท้องถิ่น',
+ 'remove_logo' => 'ลบโลโก้',
+ 'logo_help' => 'รองรับ: JPEG, GIF และ PNG',
+ 'payment_gateway' => 'ช่องทางการชำระเงิน',
+ 'gateway_id' => 'ช่องทาง',
+ 'email_notifications' => 'การแจ้งเตือนทางอีเมล',
+ 'email_sent' => 'ส่งอีเมลถึงฉันเมื่อใบแจ้งหนี้ถูก ส่ง',
+ 'email_viewed' => 'ส่งอีเมลถึงฉันเมื่อใบแจ้งหนี้ถูก อ่าน',
+ 'email_paid' => 'ส่งอีเมลถึงฉันเมื่อใบแจ้งหนี้ได้รับการ ชำระเงิน',
+ 'site_updates' => 'การอัปเดตไซด์',
+ 'custom_messages' => 'กำหนดข้อความเอง',
+ 'default_email_footer' => 'ตั้งค่าเริ่มต้นลายเซ็นอีเมล',
+ 'select_file' => 'กรุณาเลือกไฟล์',
+ 'first_row_headers' => 'ใช้แถวแรกเป็นส่วนหัว',
+ 'column' => 'คอลัมน์',
+ 'sample' => 'ตัวอย่าง',
+ 'import_to' => 'นำเข้า',
+ 'client_will_create' => 'ลูกค้ากำลังถูกสร้างขึ้น',
+ 'clients_will_create' => 'ลูกค้ากำลังถูกสร้างขึ้น',
+ 'email_settings' => 'ตั้งค่าอีเมล์',
+ 'client_view_styling' => 'การจัดรูปแบบมุมมองลูกค้า',
+ 'pdf_email_attachment' => 'แนบไฟล์ PDF',
+ 'custom_css' => 'ปรับแต่ง CSS',
+ 'import_clients' => 'นำเข้าข้อมูลลูกค้า',
+ 'csv_file' => 'ไฟล์ CSV',
+ 'export_clients' => 'ส่งออกข้อมูลลูกค้า',
+ 'created_client' => 'สร้างลูกค้าเรียบร้อยแล้ว',
+ 'created_clients' => 'สร้างสำเร็จ :count ลูกค้า(s)',
+ 'updated_settings' => 'อัปเดตการตั้งค่าเรียบร้อยแล้ว',
+ 'removed_logo' => 'ลบโลโก้เรียบร้อยแล้ว',
+ 'sent_message' => 'ส่งข้อความเรียบร้อยแล้ว',
+ 'invoice_error' => 'โปรดเลือกลูกค้าและแก้ไขข้อผิดพลาด',
+ 'limit_clients' => 'ขออภัย,เกินขีดจำกัดของ :count ลูกค้า',
+ 'payment_error' => 'มีข้อผิดพลาดในการประมวลผลการชำระเงินของคุณ กรุณาลองใหม่อีกครั้งในภายหลัง.',
+ 'registration_required' => 'โปรดลงทะเบียนเพื่อส่งใบแจ้งหนี้ทางอีเมล',
+ 'confirmation_required' => 'โปรดยืนยันที่อยู่อีเมลของคุณ คลิกที่นี่ เพื่อส่งอีเมลยืนยันอีกครั้ง',
+ 'updated_client' => 'อัปเดตลูกค้าเรียบร้อยแล้ว',
+ 'created_client' => 'สร้างลูกค้าเรียบร้อยแล้ว',
+ 'archived_client' => 'เก็บข้อมูลลูกค้าเรียบร้อยแล้ว',
+ 'archived_clients' => 'เก็บข้อมูลเรียบร้อยแล้ว: นับลูกค้า',
+ 'deleted_client' => 'ลบลูกค้าเรียบร้อยแล้ว',
+ 'deleted_clients' => 'ลบลูกค้าเรียบร้อยแล้ว :count ลูกค้า',
+ 'updated_invoice' => 'อัปเดตใบแจ้งหนี้สำเร็จแล้ว',
+ 'created_invoice' => 'สร้างใบแจ้งหนี้เรียบร้อยแล้ว',
+ 'cloned_invoice' => 'ทำสำเนาใบแจ้งหนี้เรียบร้อยแล้ว',
+ 'emailed_invoice' => 'ส่งใบแจ้งหนี้ทางอีเมลเรียบร้อยแล้ว',
+ 'and_created_client' => 'และสร้างลูกค้า',
+ 'archived_invoice' => 'เก็บบันทึกใบแจ้งหนี้เรียบร้อยแล้ว',
+ 'archived_invoices' => 'บันทึกเรียบร้อยแล้ว :count ใบแจ้งหนี้',
+ 'deleted_invoice' => 'ลบใบแจ้งหนี้เรียบร้อยแล้ว',
+ 'deleted_invoices' => 'ลบเรียบร้อยแล้ว :count ใบแจ้งหนี้',
+ 'created_payment' => 'สร้างการชำระเงินเรียบร้อยแล้ว',
+ 'created_payments' => 'สร้างสำเร็จ :count ชำระเงิน (s)',
+ 'archived_payment' => 'เก็บการชำระเงินเรียบร้อยแล้ว',
+ 'archived_payments' => 'เก็บข้อมูลเรียบร้อยแล้ว :count การชำระเงิน',
+ 'deleted_payment' => 'ลบการชำระเงินเรียบร้อยแล้ว',
+ 'deleted_payments' => 'ลบเรียบร้อยแล้ว :count การชำระเงิน',
+ 'applied_payment' => 'ใช้การชำระเงินเรียบร้อยแล้ว',
+ 'created_credit' => 'สร้างเครดิตเรียบร้อยแล้ว',
+ 'archived_credit' => 'เก็บเครดิตเรียบร้อยแล้ว',
+ 'archived_credits' => 'เก็บข้อมูลเรียบร้อยแล้ว :count เครดิต',
+ 'deleted_credit' => 'ลบเครดิตเรียบร้อยแล้ว',
+ 'deleted_credits' => 'ลบเรียบร้อยแล้ว :count เครดิต',
+ 'imported_file' => 'นำเข้าไฟล์เรียบร้อยแล้ว',
+ 'updated_vendor' => 'อัปเดตผู้ขายสำเร็จแล้ว',
+ 'created_vendor' => 'สร้างผู้ขายสำเร็จแล้ว',
+ 'archived_vendor' => 'การจัดเก็บผู้ขายประสบความสำเร็จ',
+ 'archived_vendors' => 'เก็บเข้าคลังเรียบร้อยแล้ว :count ผู้ขาย',
+ 'deleted_vendor' => 'ลบผู้ขายเรียบร้อยแล้ว',
+ 'deleted_vendors' => 'ลบเรียบร้อยแล้ว :count ผู้ขาย',
+ 'confirmation_subject' => 'การยืนยันบัญชีของ Ninja Invoice',
+ 'confirmation_header' => 'การยืนยันบัญชี',
+ 'confirmation_message' => 'โปรดเข้าถึงลิงก์ด้านล่างเพื่อยืนยันบัญชีของคุณ',
+ 'invoice_subject' => 'ใบแจ้งหนี้ใหม่: ใบแจ้งหนี้จาก: บัญชี',
+ 'invoice_message' => 'หากต้องการดูใบแจ้งหนี้ของคุณสำหรับ :amount, คลิกที่ลิงก์ด้านล่าง',
+ 'payment_subject' => 'การชำระเงินที่ได้รับ',
+ 'payment_message' => 'ขอขอบคุณสำหรับการชำระเงิน: จำนวนเงิน',
+ 'email_salutation' => 'เรียนคุณ :name,',
+ 'email_signature' => 'ด้วยความเคารพ',
+ 'email_from' => 'ทีม Ninja Invoice',
+ 'invoice_link_message' => 'หากต้องการดูใบแจ้งหนี้ให้คลิกลิงก์ด้านล่าง:',
+ 'notification_invoice_paid_subject' => 'ใบแจ้งหนี้ :invoice ได้รับการชำระแล้วโดย :client',
+ 'notification_invoice_sent_subject' => 'ใบแจ้งหนี้ :invoice ได้ถูกส่งให้ :client',
+ 'notification_invoice_viewed_subject' => 'ใบแจ้งหนี้ :invoice ถูกอ่านแล้วโดย :client',
+ 'notification_invoice_paid' => 'การชำระเงินของ :amount เงินที่ทำโดยลูกค้า: ลูกค้าที่มีต่อใบแจ้งหนี้ :invoice.',
+ 'notification_invoice_sent' => 'ลูกค้าต่อไปนี้ :client ได้ส่งอีเมลใบแจ้งหนี้ :invoice สำหรับ :amount.',
+ 'notification_invoice_viewed' => 'ลูกค้าต่อไปนี้ :client ได้ดูใบแจ้งหนี้ :invoice สำหรับ :amount.',
+ 'reset_password' => 'คุณสามารถรีเซ็ตรหัสผ่านบัญชีโดยคลิกที่ปุ่มต่อไปนี้:',
+ 'secure_payment' => 'การชำระเงินที่ปลอดภัย',
+ 'card_number' => 'หมายเลขบัตร',
+ 'expiration_month' => 'เดือนที่หมดอายุ',
+ 'expiration_year' => 'ปีที่หมดอายุ',
+ 'cvv' => 'CVV',
+ 'logout' => 'ออกจากระบบ',
+ 'sign_up_to_save' => 'ลงชื่อสมัครใช้เพื่อบันทึกงานของคุณ',
+ 'agree_to_terms' => 'ฉันยอมรับเงื่อนไข',
+ 'terms_of_service' => 'เงื่อนไขการให้บริการ',
+ 'email_taken' => 'ที่อยู่อีเมลได้รับการลงทะเบียนแล้ว',
+ 'working' => 'กำลังทำงาน',
+ 'success' => 'สำเร็จ',
+ 'success_message' => 'คุณได้ลงทะเบียนแล้ว! โปรดไปที่ลิงก์ในอีเมลยืนยันบัญชีเพื่อยืนยันที่อยู่อีเมลของคุณ.',
+ 'erase_data' => 'บัญชีของคุณไม่ได้ลงทะเบียนการดำเนินการนี้จะลบข้อมูลของคุณอย่างถาวร.',
+ 'password' => 'รหัสผ่าน',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'ขอขอบคุณที่เลือกแผน Pro Pro ของ Invoice Ninja!
+ขั้นตอนถัดไปมีการส่งใบแจ้งหนี้ที่ต้องชำระไปที่อีเมลแล้ว
+ที่อยู่ที่เชื่อมโยงกับบัญชีของคุณ เพื่อปลดล็อก
+โปรดปฏิบัติตามคำแนะนำในใบแจ้งหนี้ที่จะชำระแล้ว
+ใช้ได้เป็นเวลาหนึ่งปีสำหรับการชำระเงิน.
+ไม่พบใบแจ้งหนี้ใช่หรือไม่? ต้องการความช่วยเหลือเพิ่มเติมหรือไม่? เรายินดีที่จะช่วยเหลือ
+-- ส่งอีเมลมาที่ contact@invoiceninja.com',
+ 'unsaved_changes' => 'คุณยังไม่ได้บันทึกการเปลี่ยนแปลงที่เกิดขึ้น',
+ 'custom_fields' => 'ฟิลด์ที่กำหนดเอง',
+ 'company_fields' => 'เขตข้อมูลของ บริษัท',
+ 'client_fields' => 'เขตข้อมูลลูกค้า',
+ 'field_label' => 'ฟิลด์ลาเบล',
+ 'field_value' => 'ค่าฟิลด์',
+ 'edit' => 'แก้ไข',
+ 'set_name' => 'ตั้งชื่อ บริษัท ของคุณ',
+ 'view_as_recipient' => 'ดูในฐานะผู้รับ',
+ 'product_library' => 'สินค้า',
+ 'product' => 'สินค้า',
+ 'products' => 'ผลิตภัณฑ์',
+ 'fill_products' => 'เติมข้อมูลอัตโนมัติ',
+ 'fill_products_help' => 'การเลือกสินค้า จะเติมคำอธิบายและค่าใช้จ่ายโดยอัตโนมัติ',
+ 'update_products' => 'อัปเดตผลิตภัณฑ์โดยอัตโนมัติ',
+ 'update_products_help' => 'การอัปเดตใบแจ้งหนี้ จะอัปเดตสินค้าโดยอัตโนมัติ',
+ 'create_product' => 'เพิ่มสินค้า',
+ 'edit_product' => 'แก้ไขสินค้า',
+ 'archive_product' => 'เก็บเข้าคลังสินค้า',
+ 'updated_product' => 'อัปเดตสินค้าสำเร็จแล้ว',
+ 'created_product' => 'สร้างสินค้าสำเร็จแล้ว',
+ 'archived_product' => 'บันทึกสินค้าสำเร็จ',
+ 'pro_plan_custom_fields' => ':link เพื่อเปิดใช้งานฟิลด์ที่กำหนดเองโดยเข้าร่วม Pro Plan',
+ 'advanced_settings' => 'ตั้งค่าขั้นสูง',
+ 'pro_plan_advanced_settings' => ':link เพื่อเปิดใช้งานการตั้งค่าขั้นสูงโดยเข้าร่วม Pro Plan',
+ 'invoice_design' => 'ออกแบบใบแจ้งหนี้',
+ 'specify_colors' => 'ระบุสี',
+ 'specify_colors_label' => 'เลือกสีที่จะใช้กับใบแจ้งหนี้',
+ 'chart_builder' => 'เครื่องมือสร้างแผนภูมิ',
+ 'ninja_email_footer' => 'สร้าง. ส่ง. รับเงิน',
+ 'go_pro' => 'Go Pro',
+ 'quote' => 'ใบเสนอราคา',
+ 'quotes' => 'ใบเสนอราคา',
+ 'quote_number' => 'หมายเลขใบเสนอราคา',
+ 'quote_number_short' => 'Quote #',
+ 'quote_date' => 'วันที่อ้างอิง',
+ 'quote_total' => 'ยอดรวมทั้งหมด',
+ 'your_quote' => 'ใบเสนอราคาของคุณ',
+ 'total' => 'ทั้งหมด',
+ 'clone' => 'ทำซ้ำ',
+ 'new_quote' => 'ใบเสนอราคาใหม่',
+ 'create_quote' => 'สร้างใบเสนอราคา',
+ 'edit_quote' => 'แก้ไขใบเสนอราคา',
+ 'archive_quote' => 'เก็บบันทึกใบเสนอราคา',
+ 'delete_quote' => 'ลบใบเสนอราคา',
+ 'save_quote' => 'บันทึกใบเสนอราคา',
+ 'email_quote' => 'อีเมล์ใบเสนอราคา',
+ 'clone_quote' => 'ทำซ้ำใบเสนอราคา',
+ 'convert_to_invoice' => 'แปลงเป็นใบแจ้งหนี้',
+ 'view_invoice' => 'ดูใบแจ้งหนี้',
+ 'view_client' => 'ดูลูกค้า',
+ 'view_quote' => 'ดูใบเสนอราคา',
+ 'updated_quote' => 'อัปเดทใบเสนอราคาเรียบร้อย',
+ 'created_quote' => 'สร้างใบเสนอราคาเรียบร้อย',
+ 'cloned_quote' => 'ทำซ้ำใบเสนอราคาเรียบร้อย',
+ 'emailed_quote' => 'อีเมล์ใบเสนอราคาเรียบร้อย',
+ 'archived_quote' => 'เก็บบันทึกใบเสนอราคาเรียบร้อย',
+ 'archived_quotes' => 'เก็บบันทึกเรียบร้อย :count ใบเสนอราคา',
+ 'deleted_quote' => 'ลบใบเสนอราคาเรียบร้อย',
+ 'deleted_quotes' => 'ลบเรียบร้อย :count ใบเสนอราคา',
+ 'converted_to_invoice' => 'แปลงใบเสนอราคาเป็นใบแจ้งหนี้เรียบร้อย',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => 'ดูใบเสนอราคา :amount, คลิกที่ลิงค์ด้านล่าง',
+ 'quote_link_message' => 'หากต้องการดูใบเสนอราคาของลูกค้าคลิกที่ลิงก์ด้านล่าง:',
+ 'notification_quote_sent_subject' => 'ใบเสนอราคา :invoice ถูกส่งไปยัง :client',
+ 'notification_quote_viewed_subject' => 'ใบเสนอราคา :invoice เปิดอ่านโดย :client',
+ 'notification_quote_sent' => 'ลูกค้าต่อไปนี้ :client ได้ส่งใบเสนอราคา :invoice สำหรับ :amount.',
+ 'notification_quote_viewed' => 'ลูกค้าต่อไปนี้ :client ได้ดูใบเสนอราคา :invoice สำหรับ :amount.',
+ 'session_expired' => 'เซสชั่นของคุณหมดอายุ',
+ 'invoice_fields' => 'ฟิลด์ใบเสนอราคา',
+ 'invoice_options' => 'ตัวเลือกใบเสนอราคา',
+ 'hide_paid_to_date' => 'ซ่อนการจ่ายเงินไปยังวันที่',
+ 'hide_paid_to_date_help' => 'แสดงเฉพาะพื้นที่ "ชำระเงินถึงวันที่" ในใบแจ้งหนี้ของคุณเมื่อได้รับการชำระเงินแล้ว',
+ 'charge_taxes' => 'ภาษีค่าบริการ',
+ 'user_management' => 'การจัดการผู้ใช้',
+ 'add_user' => 'เพิ่มผู้ใช้',
+ 'send_invite' => 'ส่งคำเชิญชวน',
+ 'sent_invite' => 'ส่งคำเชิญเรียบร้อยแล้ว',
+ 'updated_user' => 'อัปเดตผู้ใช้เรียบร้อยแล้ว',
+ 'invitation_message' => 'คุณได้รับเชิญจาก :invitor.',
+ 'register_to_add_user' => 'โปรดลงทะเบียนเพื่อเพิ่มผู้ใช้',
+ 'user_state' => 'สถานะ',
+ 'edit_user' => 'แก้ไขผู้ใช้',
+ 'delete_user' => 'ลบผู้ใช้',
+ 'active' => 'ใช้งานอยู่',
+ 'pending' => 'รอดำเนินการ',
+ 'deleted_user' => 'ลบผู้ใช้เรียบร้อยแล้ว',
+ 'confirm_email_invoice' => 'คุณแน่ใจหรือไม่ว่าต้องการส่งอีเมลใบแจ้งหนี้นี้',
+ 'confirm_email_quote' => 'คุณแน่ใจหรือไม่ว่าต้องการส่งอีเมลใบเสนอราคานี้',
+ 'confirm_recurring_email_invoice' => 'คุณแน่ใจหรือไม่ว่าต้องการส่งใบแจ้งหนี้นี้ทางอีเมล',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'ลบบัญชี',
+ 'cancel_account_message' => 'คำเตือน: การดำเนินการนี้จะลบบัญชีของคุณอย่างถาวรและไม่สามารถนำกลับมาได้',
+ 'go_back' => 'กลับ',
+ 'data_visualizations' => 'การแสดงภาพข้อมูล',
+ 'sample_data' => 'แสดงข้อมูลตัวอย่าง',
+ 'hide' => 'ซ่อน',
+ 'new_version_available' => 'เวอร์ชันใหม่ของ :releases_link สามารถใช้ได้. คุณกำลังใช้งาน v::user_version, เวอร์ชันล่าสุดคือ v:latest_version',
+ 'invoice_settings' => 'ตั้งค่าใบแจ้งหนี้',
+ 'invoice_number_prefix' => 'คำนำหน้าหมายเลข ใบแจ้งหนี้',
+ 'invoice_number_counter' => 'การนับจำนวนใบแจ้งหนี้',
+ 'quote_number_prefix' => 'คำนำหน้าหมายเลข ใบเสนอราคา',
+ 'quote_number_counter' => 'การนับจำนวนใบเสนอราคา',
+ 'share_invoice_counter' => 'แชร์ใบแจ้งหนี้',
+ 'invoice_issued_to' => 'ใบแจ้งหนี้ออกให้กับ',
+ 'invalid_counter' => 'เพื่อป้องกันความขัดแย้งที่เป็นไปได้โปรดตั้งค่านำหน้าหมายเลขใบแจ้งหนี้หรือหมายเลขอ้างอิง',
+ 'mark_sent' => 'ทำเครื่องหมายไว้',
+ 'gateway_help_1' => ':link ลงทะเบียน Authorize.net',
+ 'gateway_help_2' => ':link ลงทะเบียน Authorize.net',
+ 'gateway_help_17' => ':link เพื่อรับลายเซ็น PayPal API ',
+ 'gateway_help_27' => ':link ลงชื่อสมัครใช้ 2Checkout.com เพื่อให้แน่ใจว่ามีการตั้งค่าการติดตามการชำระเงิน :complete_link เป็น URL การเปลี่ยนเส้นทางใน Account> Site Management ในเว็บ 2Checkout',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'ออกแบบเพิ่มเติม',
+ 'more_designs_title' => 'การออกแบบใบแจ้งหนี้เพิ่มเติม',
+ 'more_designs_cloud_header' => 'Go Pro สำหรับการออกแบบใบแจ้งหนี้เพิ่มเติม',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'ซื้อ',
+ 'bought_designs' => 'เพิ่มการออกแบบใบแจ้งหนี้เพิ่มเติมแล้ว',
+ 'sent' => 'Sent',
+ 'vat_number' => 'หมายเลขภาษี',
+ 'timesheets' => ' การบันทึกการทำงานประจำวัน',
+ 'payment_title' => 'ป้อนข้อมูลการเรียกเก็บเงินและข้อมูลบัตรเครดิตของคุณ',
+ 'payment_cvv' => '* นี่คือหมายเลข 3-4 หลักที่อยู่ด้านหลังบัตรของคุณ',
+ 'payment_footer1' => ' ที่อยู่สำหรับการเรียกเก็บเงินต้องตรงกับที่อยู่ที่เกี่ยวข้องกับบัตรเครดิต',
+ 'payment_footer2' => '* โปรดคลิก "ชำระเงินทันที" เพียงครั้งเดียวเท่านั้น - อาจใช้เวลาดำเนินการประมาณ 1 นาที',
+ 'id_number' => 'หมายเลขประจำตัวประชาชน',
+ 'white_label_link' => 'White label',
+ 'white_label_header' => 'White Label',
+ 'bought_white_label' => 'เปิดใช้ใบอนุญาต white label สำเร็จแล้ว',
+ 'white_labeled' => 'White labeled',
+ 'restore' => 'กู้คืน',
+ 'restore_invoice' => 'เรียกคืนใบแจ้งหนี้',
+ 'restore_quote' => 'เรียกคืนใบเสนอราคา',
+ 'restore_client' => 'กู้คืนลูกค้า',
+ 'restore_credit' => 'กู้คืนเครดิต',
+ 'restore_payment' => 'กู้คืนการจ่ายเงิน',
+ 'restored_invoice' => 'กู้คืนใบแจ้งหนี้เรียบร้อยแล้ว',
+ 'restored_quote' => 'กู้คืนใบเสนอราคาเรียบร้อยแล้ว',
+ 'restored_client' => 'กู้คืนลูกค้าเรียบร้อยแล้ว',
+ 'restored_payment' => 'กู้คืนการชำระเงินเรียบร้อยแล้ว',
+ 'restored_credit' => 'กู้คืนเครดิตเรียบร้อยแล้ว',
+ 'reason_for_canceling' => 'ช่วยเราในการปรับปรุงเว็บไซต์ของเราด้วยการบอกเหตุผลที่คุณออกจากเว็บไซด์',
+ 'discount_percent' => 'เปอร์เซ็นต์',
+ 'discount_amount' => 'ยอดรวม',
+ 'invoice_history' => 'ประวัติการแจ้งหนี้',
+ 'quote_history' => 'ประวัติการเสนอราคา',
+ 'current_version' => 'รุ่นปัจจุบัน',
+ 'select_version' => 'เลือกรุ่น',
+ 'view_history' => 'ดูประวัติย้อนหลัง',
+ 'edit_payment' => 'แก้ไขรายการจ่ายเงิน',
+ 'updated_payment' => 'การปรับปรุงรายการจ่ายเงินเสร็จสมบูรณ์',
+ 'deleted' => 'ลบแล้ว',
+ 'restore_user' => 'กู้คืนผู้ใช้',
+ 'restored_user' => 'กู้คืนผู้ใช้เรียบร้อยแล้ว',
+ 'show_deleted_users' => 'แสดงผู้ใช้ที่ถูกลบ',
+ 'email_templates' => 'เทมเพลตอีเมล์',
+ 'invoice_email' => 'อีเมลใบแจ้งหนี้',
+ 'payment_email' => 'อีเมลการชำระเงิน',
+ 'quote_email' => 'อีเมล์ใบเสนอราคา',
+ 'reset_all' => 'เริ่มต้นการตั้งค่าใหม่ทั้งหมด',
+ 'approve' => 'อนุมัติ',
+ 'token_billing_type_id' => 'Token Billing',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'ปิดการใช้',
+ 'token_billing_2' => 'Opt-in ช่องทำเครื่องหมายจะปรากฏ แต่ไม่ได้เลือกไว้',
+ 'token_billing_3' => 'Opt-out - ช่องทำเครื่องหมายจะปรากฏและสามารถเลือกได้',
+ 'token_billing_4' => 'ตลอดเวลา',
+ 'token_billing_checkbox' => 'เก็บรายละเอียดบัตรเครดิต',
+ 'view_in_gateway' => 'ดูใน :gateway',
+ 'use_card_on_file' => 'Use Card on File',
+ 'edit_payment_details' => 'แก้ไขรายละเอียดการชำระเงิน',
+ 'token_billing' => 'บันทึกรายละเอียดบัตรเครดิต',
+ 'token_billing_secure' => 'ข้อมูลถูกเก็บไว้อย่างปลอดภัยโดย :link',
+ 'support' => 'สนับสนุน',
+ 'contact_information' => 'ข้อมูลติดต่อ',
+ '256_encryption' => '256-Bit Encryption',
+ 'amount_due' => 'จำนวนคงเหลือที่ยังค้างอยู่',
+ 'billing_address' => 'ที่อยู่เรียกเก็บเงิน',
+ 'billing_method' => 'วิธีการเรียกเก็บเงิน',
+ 'order_overview' => 'ภาพรวมคำสั่งซื้อ',
+ 'match_address' => '* ที่อยู่ต้องตรงกับที่อยู่ที่เกี่ยวข้องกับบัตรเครดิต',
+ 'click_once' => '* โปรดคลิก "ชำระเงินทันที" เพียงครั้งเดียวเท่านั้น - อาจใช้เวลาดำเนินการประมาณ 1 นาที',
+ 'invoice_footer' => 'ส่วนท้ายของใบแจ้งหนี้',
+ 'save_as_default_footer' => 'บันทึกเป็นส่วนท้ายเริ่มต้น',
+ 'token_management' => 'การจัดการโทเค็น',
+ 'tokens' => 'Tokens',
+ 'add_token' => 'เพิ่ม Token',
+ 'show_deleted_tokens' => 'แสดง Token ที่ถูกลบ',
+ 'deleted_token' => 'ลบ Token เรียบร้อย',
+ 'created_token' => 'สร้าง Token เรียบร้อย',
+ 'updated_token' => 'อัปเดท Token เรียบร้อย',
+ 'edit_token' => 'แก้ไข Token',
+ 'delete_token' => 'ลบ Token',
+ 'token' => 'Token',
+ 'add_gateway' => 'เพิ่มช่องทางการชำระเงิน',
+ 'delete_gateway' => 'ลบช่องทางการชำระเงิน',
+ 'edit_gateway' => 'แก้ไขช่องทางการชำระเงิน',
+ 'updated_gateway' => 'อัปเดทช่องทางการชำระเงินเรียบร้อย',
+ 'created_gateway' => 'สร้างช่องทางการชำระเงินเรียบร้อย',
+ 'deleted_gateway' => 'ลบช่องทางกา่รชำระเงินเรียบร้อย',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'บัตรเครดิต',
+ 'change_password' => 'เปลี่ยนรหัสผ่าน',
+ 'current_password' => 'รหัสผ่านปัจจุบัน',
+ 'new_password' => 'รหัสผ่านใหม่',
+ 'confirm_password' => 'ยืนยันรหัสผ่าน',
+ 'password_error_incorrect' => 'รหัสผ่านปัจจุบันไม่ถูกต้อง',
+ 'password_error_invalid' => 'รหัสผ่านใหม่ไม่ถูกต้อง.',
+ 'updated_password' => 'อัปเดตรหัสผ่านเรียบร้อย',
+ 'api_tokens' => 'API Tokens',
+ 'users_and_tokens' => 'Users & Tokens',
+ 'account_login' => 'ลงชื่อเข้าใช้',
+ 'recover_password' => 'กู้คืนรหัสผ่านของคุณ',
+ 'forgot_password' => 'ลืมรหัสผ่านหรือไม่?',
+ 'email_address' => 'ที่อยู่อีเมล',
+ 'lets_go' => 'ไปกันเลย',
+ 'password_recovery' => 'กู้คืนรหัสผ่าน',
+ 'send_email' => 'ส่งอีเมล',
+ 'set_password' => 'ตั้งรหัสผ่าน',
+ 'converted' => 'แปลง',
+ 'email_approved' => 'ส่งอีเมลฉันเมื่อมีใบเสนอราคา ได้รับการอนุมัติ',
+ 'notification_quote_approved_subject' => 'ใบเสนอราคา :invoice ได้รับการอนุมัติโดย :client',
+ 'notification_quote_approved' => 'ลูกค้าต่อไปนี้ :client ได้อนุมัติใบเสนอราคา :invoice สำหรับ :amount.',
+ 'resend_confirmation' => 'ส่งอีเมลยืนยันอีกครั้ง',
+ 'confirmation_resent' => 'อีเมลยืนยันถูกส่งอีกครั้ง',
+ 'gateway_help_42' => ':link ลงชื่อสมัครใช้ BitPay.
หมายเหตุ: ใช้คีย์ API แบบเดิมไม่ใช่ API Token.',
+ 'payment_type_credit_card' => 'บัตรเครดิต',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'ฐานความรู้',
+ 'partial' => 'บางส่วน / เงินฝาก',
+ 'partial_remaining' => ':partial ของ :balance',
+ 'more_fields' => 'ฟิลด์เพิ่มเติม',
+ 'less_fields' => 'ฟิลด์น้อยลง',
+ 'client_name' => 'ชื่อลูกค้า',
+ 'pdf_settings' => 'การตั้งค่า PDF',
+ 'product_settings' => 'การตั้งค่าสินค้า',
+ 'auto_wrap' => 'ตัดคำอัตโนมัติ',
+ 'duplicate_post' => 'คำเตือน: หน้าก่อนหน้านี้ถูกส่งมาสองครั้ง การส่งครั้งที่สองไม่มีผล',
+ 'view_documentation' => 'ดูเอกสาร',
+ 'app_title' => 'การออกใบแจ้งหนี้ออนไลน์แบบโอเพนซอร์ส',
+ 'app_description' => 'Invoice Ninja เป็นโซลูชันโอเพนซอร์สฟรีสำหรับลูกค้าที่ออกใบแจ้งหนี้และเรียกเก็บเงิน ด้วย Invoice Ninja คุณสามารถสร้างและส่งใบแจ้งหนี้ที่สวยงามได้จากอุปกรณ์ใด ๆ ที่สามารถเข้าถึงเว็บได้ ลูกค้าของคุณสามารถพิมพ์ใบแจ้งหนี้ของคุณดาวน์โหลดเป็นไฟล์ PDF และคุณจ่ายเงินออนไลน์จากภายในระบบของเราได้เลย',
+ 'rows' => 'แถว',
+ 'www' => 'www',
+ 'logo' => 'www',
+ 'subdomain' => 'Subdomain',
+ 'provide_name_or_email' => 'โปรดระบุชื่อหรืออีเมล',
+ 'charts_and_reports' => 'แผนภูมิและรายงาน',
+ 'chart' => 'แผนภูมิ',
+ 'report' => 'รายงาน',
+ 'group_by' => 'จัดกลุ่มตาม',
+ 'paid' => 'จ่ายเงิน',
+ 'enable_report' => 'รายงาน',
+ 'enable_chart' => 'แผนภูมิ',
+ 'totals' => 'ทั้งหมด',
+ 'run' => 'ทำงาน',
+ 'export' => 'ส่งออก',
+ 'documentation' => 'เอกสาร',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'ทำประจำ',
+ 'last_invoice_sent' => 'ส่งใบแจ้งหนี้ครั้งสุดท้ายแล้ว :date',
+ 'processed_updates' => 'อัปเดตเสร็จเรียบร้อยแล้ว',
+ 'tasks' => 'งาน',
+ 'new_task' => 'งานใหม่',
+ 'start_time' => 'เวลาเริ่มต้น',
+ 'created_task' => 'สร้างงานเรียบร้อยแล้ว',
+ 'updated_task' => 'อัปเดตงานสำเร็จแล้ว',
+ 'edit_task' => 'แก้ไขงาน',
+ 'archive_task' => 'เก็บงาน',
+ 'restore_task' => 'เรียกคืนงาน',
+ 'delete_task' => 'ลบงาน',
+ 'stop_task' => 'หยุดงาน',
+ 'time' => 'เวลา',
+ 'start' => 'เริ่ม',
+ 'stop' => 'หยุด',
+ 'now' => 'ตอนนี้',
+ 'timer' => 'จับเวลา',
+ 'manual' => 'คู่มือ',
+ 'date_and_time' => 'วันเวลา',
+ 'second' => 'วินาที',
+ 'seconds' => 'วินาที',
+ 'minute' => 'นาที',
+ 'minutes' => 'นาที',
+ 'hour' => 'ชั่วโมง',
+ 'hours' => 'ชั่วโมง',
+ 'task_details' => 'รายละเอียดงาน',
+ 'duration' => 'ระยะเวลา',
+ 'end_time' => 'เวลาสิ้นสุด',
+ 'end' => 'จบงาน',
+ 'invoiced' => 'ออกใบแจ้งหนี้',
+ 'logged' => 'บันทึกการเข้า',
+ 'running' => 'กำลังทำงาน',
+ 'task_error_multiple_clients' => 'งานไม่สามารถเป็นของลูกค้าที่อื่นได้',
+ 'task_error_running' => 'โปรดหยุดการทำงานก่อน',
+ 'task_error_invoiced' => 'งานได้รับใบแจ้งหนี้แล้ว',
+ 'restored_task' => 'กู้คืนงานเรียบร้อยแล้ว',
+ 'archived_task' => 'เก็บบันทึกงานเรียบร้อยแล้ว',
+ 'archived_tasks' => 'เก็บเรียบร้อยแล้ว :count งาน',
+ 'deleted_task' => 'ลบงานเรียบร้อย',
+ 'deleted_tasks' => 'ลบงานเรียบร้อย :count งาน',
+ 'create_task' => 'สร้างงาน',
+ 'stopped_task' => 'หยุดงานเรียบร้อย',
+ 'invoice_task' => 'งานใบแจ้งหนี้',
+ 'invoice_labels' => 'ป้ายใบแจ้งหนี้',
+ 'prefix' => 'คำนำหน้า',
+ 'counter' => 'ตัวนับ',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => ':link ลงทะเบียนสำหรับ Dwolla',
+ 'partial_value' => 'ต้องมากกว่าศูนย์และน้อยกว่ายอดรวม',
+ 'more_actions' => 'การดำเนินการมากขึ้น',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'อัพเกรดเดี๋ยวนี้!',
+ 'pro_plan_feature1' => 'สร้างลูกค้าไม่จำกัด',
+ 'pro_plan_feature2' => 'เข้าถึง 10 แบบฟอร์มใบแจ้งหนี้สวย ๆ',
+ 'pro_plan_feature3' => 'URL ที่กำหนดได้เอง - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => 'เอา "Created by Invoice Ninja" ออก',
+ 'pro_plan_feature5' => 'การเข้าถึงและการติดตามกิจกรรมของผู้ใช้พร้อมกันหลายคน',
+ 'pro_plan_feature6' => 'สร้างใบเสนอราคาและใบแจ้งหนี้ ',
+ 'pro_plan_feature7' => 'กำหนดเขตข้อมูลใบกำกับสินค้า & เลขที่',
+ 'pro_plan_feature8' => 'ตัวเลือกในการแนบไฟล์ PDF กับอีเมลไคลเอ็นต์',
+ 'resume' => 'ทำต่อไป',
+ 'break_duration' => 'หยุด',
+ 'edit_details' => 'แก้ไขรายละเอียด',
+ 'work' => 'งาน',
+ 'timezone_unset' => 'กรุณา :link ตั้งเขตเวลาของคุณ',
+ 'click_here' => 'คลิกที่นี่',
+ 'email_receipt' => 'ใบเสร็จการชำระเงินทางอีเมลให้กับลูกค้า',
+ 'created_payment_emailed_client' => 'สร้างการชำระเงินและส่งอีเมลเรียบร้อยแล้ว',
+ 'add_company' => 'เพิ่ม บริษัท',
+ 'untitled' => 'ไม่ได้ตั้งชื่อ',
+ 'new_company' => 'บริษัทใหม่',
+ 'associated_accounts' => 'เชื่อมโยงบัญชีเรียบร้อยแล้ว',
+ 'unlinked_account' => 'ยกเลิกการเชื่อมโยงบัญชีเรียบร้อยแล้ว',
+ 'login' => 'เข้าสู่ระบบ',
+ 'or' => 'หรือ',
+ 'email_error' => 'เกิดปัญหาในการส่งอีเมล',
+ 'confirm_recurring_timing' => 'หมายเหตุ: อีเมลจะถูกส่งในช่วงเริ่มต้นของชั่วโมง',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'ตั้งค่าเริ่มต้นวันครบกำหนดของใบแจ้งหนี้',
+ 'unlink_account' => 'ยกเลิกการเชื่อมโยงบัญชี',
+ 'unlink' => 'ยกเลิกการเชื่อมโยง',
+ 'show_address' => 'แสดงที่อยู่',
+ 'show_address_help' => 'กำหนดให้ลูกค้าระบุที่อยู่สำหรับการเรียกเก็บเงิน',
+ 'update_address' => 'อัปเดตที่อยู่',
+ 'update_address_help' => 'อัปเดตที่อยู่ของลูกค้าโดยระบุรายละเอียดไว้',
+ 'times' => 'เวลา',
+ 'set_now' => 'ตั้งค่าเวลานี้',
+ 'dark_mode' => 'โหมดกลางคืน',
+ 'dark_mode_help' => 'ใช้พื้นหลังสีเข้มสำหรับแถบด้านข้าง',
+ 'add_to_invoice' => 'เพิ่มลงในใบแจ้งหนี้ :invoice',
+ 'create_new_invoice' => 'สร้างใบแจ้งหนี้ใหม่',
+ 'task_errors' => 'โปรดแก้ไขเวลาซ้อนทับกัน',
+ 'from' => 'จาก',
+ 'to' => 'ไปยัง',
+ 'font_size' => 'ขนาดตัวอักษร',
+ 'primary_color' => 'สีหลัก',
+ 'secondary_color' => 'สีรอง',
+ 'customize_design' => 'ปรับแต่งการออกแบบ',
+ 'content' => 'เนื้อหา',
+ 'styles' => 'รูปแบบ',
+ 'defaults' => 'ค่าเริ่มต้น',
+ 'margins' => 'ขอบ',
+ 'header' => 'ส่วนหัว',
+ 'footer' => 'ส่วนท้าย',
+ 'custom' => 'กำหนดเอง',
+ 'invoice_to' => 'Invoice to',
+ 'invoice_no' => 'Invoice No.',
+ 'quote_no' => 'Quote No.',
+ 'recent_payments' => 'การชำระเงินล่าสุด',
+ 'outstanding' => 'โดดเด่น',
+ 'manage_companies' => 'จัดการ บริษัท',
+ 'total_revenue' => 'รายได้รวม',
+ 'current_user' => 'ผู้ใช้ปัจจุบัน',
+ 'new_recurring_invoice' => 'ใบแจ้งหนี้ซ้ำใหม่',
+ 'recurring_invoice' => 'ทำใบแจ้งหนี้ซ้ำ',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'เร็วเกินไปที่จะสร้างใบแจ้งหนี้ที่เกิดซ้ำครั้งต่อไปซึ่งกำหนดไว้ :date',
+ 'created_by_invoice' => 'สร้างโดย :invoice',
+ 'primary_user' => 'ผู้ใช้หลัก',
+ 'help' => 'ช่วยเหลือ',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'วันครบกำหนด',
+ 'quote_due_date' => 'ใช้ได้ถึงวันที่',
+ 'valid_until' => 'ใช้ได้ถึงวันที่',
+ 'reset_terms' => 'รีเซ็ตข้อกำหนด',
+ 'reset_footer' => 'รีเซ็ตท้ายกระดาษ',
+ 'invoice_sent' => ':count ส่งใบแจ้งหนี้',
+ 'invoices_sent' => ':count ส่งใบแจ้งหนี้',
+ 'status_draft' => 'ร่าง',
+ 'status_sent' => 'ส่ง',
+ 'status_viewed' => 'มีผู้เข้าชม',
+ 'status_partial' => 'บางส่วน',
+ 'status_paid' => 'จ่ายเงิน',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'แสดง ภาษีสินค้า',
+ 'iframe_url' => 'Website',
+ 'iframe_url_help1' => 'คัดลอกโค้ดต่อไปนี้ไปยังหน้าเว็บในไซต์ของคุณ',
+ 'iframe_url_help2' => 'คุณสามารถทดสอบคุณลักษณะโดยคลิก \'ดูเป็นผู้รับ\' สำหรับใบแจ้งหนี้',
+ 'auto_bill' => 'บิลอัตโนมัติ',
+ 'military_time' => '24 ชั่วโมง',
+ 'last_sent' => 'ส่งครั้งสุดท้าย',
+ 'reminder_emails' => 'อีเมลแจ้งเตือน',
+ 'templates_and_reminders' => 'เทมเพลตและการแจ้งเตือน',
+ 'subject' => 'เรื่อง',
+ 'body' => 'เนื้อเรื่อง',
+ 'first_reminder' => 'คำเตือนครั้งแรก',
+ 'second_reminder' => 'คำเตือนครั้งที่สอง',
+ 'third_reminder' => 'Third Reminder',
+ 'num_days_reminder' => 'หลังวันครบกำหนด',
+ 'reminder_subject' => 'การแจ้งเตือน: ใบแจ้งหนี้ :invoice จาก :account',
+ 'reset' => 'รีเซ็ต',
+ 'invoice_not_found' => 'ไม่มีใบแจ้งหนี้ตามที่ร้องขอ',
+ 'referral_program' => 'Referral Program',
+ 'referral_code' => 'Referral URL',
+ 'last_sent_on' => 'ส่งล่าสุด :date',
+ 'page_expire' => 'หน้านี้จะหมดอายุเร็ว ๆ นี้, :click_here เพื่อดำเนินการต่อ',
+ 'upcoming_quotes' => 'ใบเสนอราคาที่จะเกิดขึ้น',
+ 'expired_quotes' => 'ใบเสนอราคาหมดอายุ',
+ 'sign_up_using' => 'ลงชื่อสมัครใช้โดยใช้',
+ 'invalid_credentials' => 'ข้อมูลรับรองเหล่านี้ไม่ตรงกับบันทึกของเรา',
+ 'show_all_options' => 'แสดงตัวเลือกทั้งหมด',
+ 'user_details' => 'รายละเอียดผู้ใช้',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'ปิดการใช้',
+ 'invoice_quote_number' => 'หมายเลขใบแจ้งหนี้และใบเสนอราคา',
+ 'invoice_charges' => 'การเรียกเก็บเงินตามใบแจ้งหนี้',
+ 'notification_invoice_bounced' => 'เราไม่สามารถส่งใบแจ้งหนี้ :invoice ไปยัง :contact.',
+ 'notification_invoice_bounced_subject' => 'ไม่สามารถส่งใบแจ้งหนี้ :invoice',
+ 'notification_quote_bounced' => 'เราไม่สามารถส่งใบเสนอราคา :invoice ไปยัง :contact',
+ 'notification_quote_bounced_subject' => 'ไม่สามารถส่งใบเสนอราคา :invoice',
+ 'custom_invoice_link' => 'ลิงก์ใบแจ้งหนี้ที่กำหนดเอง',
+ 'total_invoiced' => 'ใบแจ้งหนี้ทั้งหมด',
+ 'open_balance' => 'ยอดคงเหลือ',
+ 'verify_email' => 'โปรดไปที่ลิงก์ในอีเมลเพื่อยืนยันที่อยู่อีเมลของคุณ',
+ 'basic_settings' => 'ตั้งค่าพื้นฐาน',
+ 'pro' => 'Pro',
+ 'gateways' => 'ช่องทางการชำระเงิน',
+ 'next_send_on' => 'ส่งครั้งต่อไป :date',
+ 'no_longer_running' => 'ไม่ได้กำหนดเวลาเรียกใช้งานใบแจ้งหนี้นี้',
+ 'general_settings' => 'การตั้งค่าทั่วไป',
+ 'customize' => 'ปรับแต่ง',
+ 'oneclick_login_help' => 'เชื่อมต่อบัญชีเพื่อเข้าสู่ระบบโดยไม่ใช้รหัสผ่าน',
+ 'referral_code_help' => 'สร้างรายได้ด้วยการแชร์แอปออนไลน์',
+ 'enable_with_stripe' => 'เปิดใช้งาน | ต้องใช้ Stripe',
+ 'tax_settings' => 'การตั้งค่าภาษี',
+ 'create_tax_rate' => 'เพิ่มอัตราภาษี',
+ 'updated_tax_rate' => 'อัปเดตอัตราภาษีเรียบร้อยแล้ว',
+ 'created_tax_rate' => 'อัปเดตอัตราภาษีเรียบร้อยแล้ว',
+ 'edit_tax_rate' => 'แก้ไขอัตราภาษี',
+ 'archive_tax_rate' => 'เก็บบันทึกอัตราภาษี',
+ 'archived_tax_rate' => 'เก็บบันทึกอัตราภาษีเรียบร้อยแล้ว',
+ 'default_tax_rate_id' => 'อัตราภาษีเริ่มต้น',
+ 'tax_rate' => 'อัตราภาษี',
+ 'recurring_hour' => 'ชั่วโมงที่เกิดขึ้นประจำ',
+ 'pattern' => 'แบบแผน',
+ 'pattern_help_title' => 'รูปแบบช่วยเหลือ',
+ 'pattern_help_1' => 'สร้างหมายเลขที่กำหนดเองโดยการระบุรูปแบบ',
+ 'pattern_help_2' => 'ตัวแปรที่สามารถใช้ได้:',
+ 'pattern_help_3' => 'ตัวอย่างเช่น :example จะถูกแปลงเป็น :value',
+ 'see_options' => 'ดูตัวเลือก',
+ 'invoice_counter' => 'จำนวนใบแจ้งหนี้',
+ 'quote_counter' => 'จำนวนใบเสนอราคา',
+ 'type' => 'ชนิด',
+ 'activity_1' => ':user ได้สร้างผู้ใช้ :client',
+ 'activity_2' => ':user เก็บบันทึก :client',
+ 'activity_3' => ':user ได้ลบผู้ใช้ :client',
+ 'activity_4' => ':user ได้สร้างใบแจ้งหนี้ :invoice',
+ 'activity_5' => ':user ได้อัปเดทแจ้งหนี้ :invoice',
+ 'activity_6' => ':user ได้ส่งใบแจ้งหนี้ :invoice ไปยัง :contact',
+ 'activity_7' => ':contact ได้ดูใบแจ้งหนี้ :invoice',
+ 'activity_8' => ':user บันทึกใบแจ้งหนี้ :invoice',
+ 'activity_9' => ':user ได้ลบใบแจ้งหนี้ :invoice',
+ 'activity_10' => ':contact ป้อนการชำระเงิน :paymeny สำหรับ :invoice',
+ 'activity_11' => ':user อัปเดตการชำระเงินที่แล้ว :payment',
+ 'activity_12' => ':user เก็บบันทึกการจ่ายเงิน :payment',
+ 'activity_13' => ':user ลบการจ่ายเงิน :payment',
+ 'activity_14' => ':user ป้อน :credit เครดิต',
+ 'activity_15' => ':user อัปเดต :credit เครดิต',
+ 'activity_16' => ':user เก็บบันทึก :credit เครดิต',
+ 'activity_17' => ':user ลบแล้ว :credit เครดิต',
+ 'activity_18' => ':user สร้างใบเสนอราคา :quote',
+ 'activity_19' => ';user อัปเดตใบเสนอราคา :quote',
+ 'activity_20' => ':user อีเมล์ใบเสนอราคา :quote ไปยัง :contact',
+ 'activity_21' => ':contact ดูใบเสนอราคา :quote',
+ 'activity_22' => ':user เก็บบันทึกใบเสนอราคา :quote',
+ 'activity_23' => ':user ลบใบเสนอราคา :quote',
+ 'activity_24' => ':user กู้คืนใบเสนอราคา :quote',
+ 'activity_25' => ':user กู้คืนใบแจ้งหนี้ :invoice',
+ 'activity_26' => ':user กู้คืน ลูกค้า :client',
+ 'activity_27' => ':user กู้คืนการชำระเงิน :payment',
+ 'activity_28' => ':user กู้คืน :credit เครดิต',
+ 'activity_29' => '.contact ใบเสนอราคาได้รับอนุมัติ :quote',
+ 'activity_30' => ':user สร้างผู้ขาย :vendor',
+ 'activity_31' => ':user เก็บบันทึกผู้ขาย :vendor',
+ 'activity_32' => ':user ได้ลบผู้ขาย :vendor',
+ 'activity_33' => ':user ได้กู้คืนผู้ขาย :vendor',
+ 'activity_34' => ':user ได้สร้างค่าใช้จ่าย :expense',
+ 'activity_35' => ':user ได้เก็บบันทึกค่าใช้จ่าย :expense',
+ 'activity_36' => ':user ได้ลบค่าใช้จ่าย :expense',
+ 'activity_37' => ':user ได้กู้คืนค่าใช้จ่าย :expense',
+ 'activity_42' => ':user ได้สร้างงาน :task',
+ 'activity_43' => ':user ได้อัปเดตงาน :task',
+ 'activity_44' => ':user ได้บันทึกงาน :task',
+ 'activity_45' => ':user ได้ลบงาน :task',
+ 'activity_46' => ':user ได้กู้คืนงาน :task',
+ 'activity_47' => ':user ได้อัปเดตค่าใช้จ่าย :expense',
+ 'payment' => 'การจ่ายเงิน',
+ 'system' => 'ระบบ',
+ 'signature' => 'ลายเซนต์อีเมล',
+ 'default_messages' => 'ข้อความเริ่มต้น',
+ 'quote_terms' => 'ระยะเวลาใบเสนอราคา',
+ 'default_quote_terms' => 'ค่าเริ่มต้นระยะเวลาใบเสนอราคา',
+ 'default_invoice_terms' => 'ค่าเริ่มต้นระยะเวลาใบแจ้งหนี้',
+ 'default_invoice_footer' => 'ค่าเริ่มต้นส่วนท้ายใบแจ้งหนี้',
+ 'quote_footer' => 'สุดท้ายใบเสนอราคา',
+ 'free' => 'ฟรี',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'สมัครเครดิต',
+ 'system_settings' => 'ตั้งค่าระบบ',
+ 'archive_token' => 'เก็บบันทึก Token',
+ 'archived_token' => 'เก็บบันทึก Token แล้ว',
+ 'archive_user' => 'เก็บบันทึกผู้ใช้',
+ 'archived_user' => 'เก็บบันทึกผู้ใช้แล้ว',
+ 'archive_account_gateway' => 'เก็บบันทึกช่องทางชำระเงิน',
+ 'archived_account_gateway' => 'เก็บบันทึกช่องทางชำระเงินแล้ว',
+ 'archive_recurring_invoice' => 'เก็บบันทึกใบแจ้งหนี้ประจำแล้ว',
+ 'archived_recurring_invoice' => 'เก็บบันทึกใบแจ้งหนี้ประจำแล้ว',
+ 'delete_recurring_invoice' => 'ลบใบแจ้งหนี้ประจำ',
+ 'deleted_recurring_invoice' => 'ลบใบแจ้งหนี้ประจำแล้ว',
+ 'restore_recurring_invoice' => 'กู้คืนใบแจ้งหนี้',
+ 'restored_recurring_invoice' => 'กู้คืนใบแจ้งหนี้แล้ว',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'เก็บถาวร',
+ 'untitled_account' => 'ไม่มีชื่อบริษัท',
+ 'before' => 'ก่อน',
+ 'after' => 'หลัง',
+ 'reset_terms_help' => 'รีเซ็ตเป็นข้อกำหนดบัญชีเริ่มต้น',
+ 'reset_footer_help' => 'รีเซ็ตเป็นส่วนท้ายของบัญชีเริ่มต้น',
+ 'export_data' => 'ส่งออกข้อมูล',
+ 'user' => 'ผู้ใช้งาน',
+ 'country' => 'ประเทศ',
+ 'include' => 'รวม',
+ 'logo_too_large' => 'โลโก :size, เพื่อประสิทธิภาพของ PDF ขอแนะนำขนาดภาพไม่เกิน 200KB',
+ 'import_freshbooks' => 'นำเข้าจาก FreshBooks',
+ 'import_data' => 'นำเข้าข้อมูล',
+ 'source' => 'แหล่ง',
+ 'csv' => 'CSV',
+ 'client_file' => 'ไฟล์ลูกค้า',
+ 'invoice_file' => 'ไฟล์ใบแจ้งหนี้',
+ 'task_file' => 'ไฟล์งาน',
+ 'no_mapper' => 'การแม็พไฟล์ไม่ถูกต้อง
+',
+ 'invalid_csv_header' => 'ส่วนหัว CSV ไม่ถูกต้อง',
+ 'client_portal' => 'Portal ลูกค้า',
+ 'admin' => 'แอดมิน',
+ 'disabled' => 'ปิดการใช้',
+ 'show_archived_users' => 'แสดงเอกสารที่บันทึกไว้ของลูกค้า',
+ 'notes' => 'บันทึก',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => 'ใบแจ้งหนี้ถูกสร้าง',
+ 'failed_to_import' => 'ไม่สามารถนำเข้าระเบียนต่อไปนี้ได้ อาจจะมีอยู่แล้วหรือหายไปในฟิลด์ที่จำเป็น',
+ 'publishable_key' => 'Publishable Key',
+ 'secret_key' => 'Secret Key',
+ 'missing_publishable_key' => 'ตั้งค่าปุ่ม Stripe publishable ของคุณ สำหรับกระบวนการเช็คเอาต์ที่อนุมัติแล้ว',
+ 'email_design' => 'ออกแบบอีเมล์',
+ 'due_by' => 'วันครบกำหนด :date',
+ 'enable_email_markup' => 'เปิดใช้งาน Markup',
+ 'enable_email_markup_help' => 'ทำให้ลูกค้าของคุณสามารถจ่ายเงินให้คุณได้ง่ายขึ้นโดยการเพิ่มมาร์กอัป schema.org ลงในอีเมลของคุณ',
+ 'template_help_title' => 'เทมเพลตช่วยเหลือ',
+ 'template_help_1' => 'ตัวแปรที่สามารถใช้ได้:',
+ 'email_design_id' => 'รูปแบบอีเมล์',
+ 'email_design_help' => 'ทำให้อีเมล์ของคุณดูเป็มืออาชีพด้วย HTML เลย์เอ้าท์',
+ 'plain' => 'ธรรมดา',
+ 'light' => 'บาง',
+ 'dark' => 'มืด',
+ 'industry_help' => 'ใช้เพื่อเปรียบเทียบกับค่าเฉลี่ยของ บริษัท ขนาดและอุตสาหกรรมที่คล้ายคลึงกัน.',
+ 'subdomain_help' => 'ตั้งค่าโดเมนย่อยหรือแสดงใบแจ้งหนี้ในเว็บไซต์ของคุณเอง.',
+ 'website_help' => 'แสดงใบแจ้งหนี้ใน iFrame ในเว็บไซต์ของคุณเอง.',
+ 'invoice_number_help' => 'ระบุคำนำหน้าหรือใช้รูปแบบที่กำหนดเองเพื่อตั้งค่าหมายเลขใบแจ้งหนี้แบบไดนามิก.',
+ 'quote_number_help' => 'ระบุคำนำหน้าหรือใช้รูปแบบที่กำหนดเองเพื่อตั้งค่าหมายเลขใบเสนอราคาแบบไดนามิก',
+ 'custom_client_fields_helps' => 'เพิ่มฟิลด์เมื่อสร้างลูกค้าและแสดงป้ายกำกับและค่าในรูปแบบ PDF',
+ 'custom_account_fields_helps' => 'เพิ่มป้ายกำกับและค่าลงในส่วนรายละเอียดบริษัท บน PDF',
+ 'custom_invoice_fields_helps' => 'เพิ่มฟิลด์เมื่อสร้างใบแจ้งหนี้และแสดงป้ายกำกับและค่าในรูปแบบ บน PDF',
+ 'custom_invoice_charges_helps' => 'เพิ่มฟิลด์เมื่อสร้างใบแจ้งหนี้และรวมค่าใช้จ่ายในยอดรวมย่อยของใบแจ้งหนี้',
+ 'token_expired' => 'การตรวจสอบ Token หมดเวลา. กรุณาลองใหม่.',
+ 'invoice_link' => 'ลิงค์ใบแจ้งหนี้',
+ 'button_confirmation_message' => 'คลิกเพื่อยืนยันอีเมล์ของคุณ',
+ 'confirm' => 'ยืนยัน',
+ 'email_preferences' => 'การตั้งค่าอีเมล์',
+ 'created_invoices' => 'สร้างใบแจ้งหนี้ :count ใบแจ้งหนี้(s)',
+ 'next_invoice_number' => 'ใบแจ้งหนี้หมายเลขถัดไปคือ :number.',
+ 'next_quote_number' => 'หมายเลขใบเสนอราคาถัดไปคือ :number',
+ 'days_before' => 'วันก่อนหน้า',
+ 'days_after' => 'วันหลังจากนี้',
+ 'field_due_date' => 'วันครบกำหนด',
+ 'field_invoice_date' => 'วันที่ในใบแจ้งหนี้',
+ 'schedule' => 'ตารางเวลา',
+ 'email_designs' => 'ออกแบบอีเมล์',
+ 'assigned_when_sent' => 'การกำหนดเมื่อส่ง',
+ 'white_label_purchase_link' => 'สั่งซื้อ Whit label license',
+ 'expense' => 'ค่าใช้จ่าย',
+ 'expenses' => 'ค่าใช้จ่าย',
+ 'new_expense' => 'ป้อนค่าใช้จ่าย',
+ 'enter_expense' => 'ป้อนค่าใช้จ่าย',
+ 'vendors' => 'ผู้ขาย',
+ 'new_vendor' => 'ผู้ขายใหม่',
+ 'payment_terms_net' => 'สุทธิ',
+ 'vendor' => 'ผู้ขาย',
+ 'edit_vendor' => 'แก้ไขผู้ขาย',
+ 'archive_vendor' => 'เก็บบันทึกผู้ขาย',
+ 'delete_vendor' => 'ลบผู้ขาย',
+ 'view_vendor' => 'แสดงผู้ขาย',
+ 'deleted_expense' => 'ลบค่าใช้จ่ายสำเร็จ',
+ 'archived_expense' => 'เก็บบันทึกค่าใช้จ่ายสำเร็จ',
+ 'deleted_expenses' => 'ลบค่าใช้จ่ายสำเร็จ',
+ 'archived_expenses' => 'เก็บบันทึกค่าใช้จ่ายสำเร็จ',
+ 'expense_amount' => 'จำนวนเงินค่าใช้จ่าย',
+ 'expense_balance' => 'ค่าใช้จ่ายคงเหลือ',
+ 'expense_date' => 'วันที่เบิกจ่าย',
+ 'expense_should_be_invoiced' => 'ค่าใช้จ่ายนี้อาจถูกเรียกเก็บเงิน?',
+ 'public_notes' => 'หมายเหตุแบบเปิด',
+ 'invoice_amount' => 'จำนวนใบแจ้งหนี้',
+ 'exchange_rate' => 'อัตราแลกเปลี่ยน',
+ 'yes' => 'ใช่',
+ 'no' => 'ไม่ใช่',
+ 'should_be_invoiced' => 'ควรได้รับใบแจ้งหนี้',
+ 'view_expense' => 'ดูค่าใช้จ่าย # :expense',
+ 'edit_expense' => 'แก้ไขค่าใช้จ่าย',
+ 'archive_expense' => 'เก็บบันทึกค่าใช้จ่าย',
+ 'delete_expense' => 'ลบค่าใช้จ่าย',
+ 'view_expense_num' => 'ค่าใช้จ่าย # :expense',
+ 'updated_expense' => 'อัปเดตค่าใช้จ่ายสำเร็จ',
+ 'created_expense' => 'สร้างค่าใช้จ่ายสำเร็จ',
+ 'enter_expense' => 'ป้อนค่าใช้จ่าย',
+ 'view' => 'ดู',
+ 'restore_expense' => 'กู้คืนค่าใช้จ่าย',
+ 'invoice_expense' => 'ค่าใช้จ่ายในใบแจ้งหนี้',
+ 'expense_error_multiple_clients' => 'ค่าใช้จ่ายไม่สามารถเป็นของลูกค้าอื่นได้',
+ 'expense_error_invoiced' => 'ค่าใช้จ่ายถูกเรียกเก็บเงินแล้ว',
+ 'convert_currency' => 'แปลงสกุลเงิน',
+ 'num_days' => 'จำนวนวัน',
+ 'create_payment_term' => 'สร้างเงื่อนไขการชำระเงิน',
+ 'edit_payment_terms' => 'แก้ไขข้อกำหนดในการชำระเงิน',
+ 'edit_payment_term' => 'แก้ไขข้อกำหนดในการชำระเงิน',
+ 'archive_payment_term' => 'เก็บบันทึกเงื่อนไขการชำระเงิน',
+ 'recurring_due_dates' => 'กำหนดวันที่ครบกำหนดของใบแจ้งหนี้',
+ 'recurring_due_date_help' => 'กำหนดวันที่ครบกำหนดสำหรับใบแจ้งหนี้โดยอัตโนมัติ
+ใบแจ้งหนี้ในรอบรายเดือนหรือรายปีที่กำหนดให้ครบกำหนดในหรือก่อนวันที่สร้างขึ้นจะครบกำหนดในเดือนถัดไป ใบแจ้งหนี้ที่กำหนดให้ครบกำหนดในวันที่ 29 หรือ 30 ในเดือนที่ไม่มีวันนั้นจะครบกำหนดในวันสุดท้ายของเดือน
+ะมีการเรียกเก็บเงินในรอบสัปดาห์ที่ครบกำหนดชำระในวันที่กำหนดไว้ในสัปดาห์ถัดไป
+ตัวอย่างเช่น:
+
+- วันนี้เป็นวันที่ 15 ครบกำหนดคือวันที่ 1 ของเดือน วันครบกำหนดน่าจะเป็นวันที่ 1 ของเดือนถัดไป
+- วันนี้เป็นวันที่ 15 ครบกำหนดคือวันสุดท้ายของเดือน วันครบกำหนดจะเป็นวันสุดท้ายของเดือนนี้
+
+- วันนี้เป็นวันที่ 15 ครบกำหนดคือวันที่ 15 ของเดือน วันครบกำหนดจะเป็นวันที่ 15 ของวันที่ถัดไปเดือน.
+
+- วันนี้เป็นวันศุกร์วันครบกำหนดคือวันศุกร์ที่ 1 หลังจาก วันครบกำหนดจะเป็นวันศุกร์ถัดไปไม่ใช่วันนี้
+
+
',
+ 'due' => 'ครบกำหนด',
+ 'next_due_on' => 'กำหนดถัดไป :date',
+ 'use_client_terms' => 'ใช้ข้อกำหนดของลูกค้า',
+ 'day_of_month' => ':ordinary วันของเดือน',
+ 'last_day_of_month' => 'วันสุดท้ายของเดือน',
+ 'day_of_week_after' => ':ordinary :day หลังจาก',
+ 'sunday' => 'วันอาทิตย์',
+ 'monday' => 'วันจันทร์',
+ 'tuesday' => 'วันอังคาร',
+ 'wednesday' => 'วันพุธ',
+ 'thursday' => 'วันพฤหัสบดี',
+ 'friday' => 'วันศุกร์',
+ 'saturday' => 'วันเสาร์',
+ 'header_font_id' => 'แบบอักษรส่วนหัว',
+ 'body_font_id' => 'ฟ้อนในเนื้อหา',
+ 'color_font_help' => 'หมายเหตุ: สีหลักและแบบอักษรยังใช้ในพอร์ทัลลูกค้าและการออกแบบอีเมลแบบกำหนดเอง',
+ 'live_preview' => 'ดูตัวอย่างสด',
+ 'invalid_mail_config' => 'ไม่สามารถส่งอีเมล. โปรดตรวจสอบว่าการตั้งค่าอีเมลให้ถูกต้อง',
+ 'invoice_message_button' => 'หากต้องการดูใบแจ้งหนี้ของคุณ :amount คลิกปุ่มด้านล่าง',
+ 'quote_message_button' => 'หากต้องการดูใบเสนอราคา :amount คลิกปุ่มด้านล่าง',
+ 'payment_message_button' => 'ขอบคุณที่จ่ายชำระเงินจำนวน :amount',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'บัตรเครดิต & ธนาคาร',
+ 'add_bank_account' => 'เพิ่มธนาคารลูกค้า',
+ 'setup_account' => 'ตั้งค่าบัญชี',
+ 'import_expenses' => 'นำเข้าค่าใช้จ่าย',
+ 'bank_id' => 'ธนาคาร',
+ 'integration_type' => 'ประเภทการผสานรวม',
+ 'updated_bank_account' => 'อัปเดตบัญชีธนาคารสำเร็จ',
+ 'edit_bank_account' => 'แก้ไขบัญชีธนาคาร',
+ 'archive_bank_account' => 'เก็บข้อมูลบัญชีธนาคาร',
+ 'archived_bank_account' => 'การเก็บบันทึกบัญชีธนาคารสำเร็จ',
+ 'created_bank_account' => 'สร้างบัญชีธนาคารสำเร็จ',
+ 'validate_bank_account' => 'ตรวจสอบบัญชีธนาคาร',
+ 'bank_password_help' => 'หมายเหตุ: รหัสผ่านของคุณจะถูกส่งอย่างปลอดภัยและไม่ถูกเก็บไว้ในเซิร์ฟเวอร์ของเรา',
+ 'bank_password_warning' => 'หมายเหตุ: รหัสผ่านของคุณอาจถูกส่งผ่านด้วยข้อความธรรมดา โปรดเปิดใช้ HTTPS.',
+ 'username' => 'ชื่อผู้ใช้',
+ 'account_number' => 'หมายเลขบัญชี',
+ 'account_name' => 'ชื่อบัญชี',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'อนุมัติ',
+ 'quote_settings' => 'การตั้งค่าใบเสนอราคา',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => '
+แปลงใบเสนอราคาให้เป็นใบแจ้งหนี้โดยอัตโนมัติเมื่อได้รับอนุมัติจากลูกค้า',
+ 'validate' => 'ตรวจสอบ',
+ 'info' => 'ข้อมูล',
+ 'imported_expenses' => 'สร้าง :count_vendors ผู้ขาย(s) และ :count_enpenses ค่าใช้จ่าย(s)',
+ 'iframe_url_help3' => 'หมายเหตุ: หากคุณวางแผนที่จะรับบัตรเครดิตเราขอแนะนำให้เปิดใช้ HTTPS บนไซต์ของคุณ.',
+ 'expense_error_multiple_currencies' => 'ค่าใช้จ่ายไม่สามารถมีสกุลเงินต่างกัน',
+ 'expense_error_mismatch_currencies' => 'สกุลเงินของลูกค้าไม่ตรงกับสกุลเงินค่าใช้จ่าย',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'ส่วนหัว / ท้ายกระดาษ',
+ 'first_page' => 'หน้าแรก',
+ 'all_pages' => 'หน้าทั้งหมด',
+ 'last_page' => 'หน้าสุดท้าย',
+ 'all_pages_header' => 'แสดงหัวเรื่อง',
+ 'all_pages_footer' => 'แสดงส่วนท้าย',
+ 'invoice_currency' => 'สกุลเงินใบแจ้งหนี้',
+ 'enable_https' => 'เราขอแนะนำให้ใช้ HTTPS เพื่อรับรายละเอียดบัตรเครดิตทางออนไลน์',
+ 'quote_issued_to' => 'ใบเสนอราคาที่ออกให้กับ',
+ 'show_currency_code' => 'รหัสสกุลเงิน',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'บัญชีของคุณจะได้รับการทดลองใช้ฟรีเป็นระยะเวลาสองสัปดาห์',
+ 'trial_footer' => 'การทดลองใช้ Pro Pro ฟรีของคุณมีจำกัด :count วันเพิ่มขึ้น :link เพื่ออัปเกรดทันที',
+ 'trial_footer_last_day' => 'นี่เป็นวันสุดท้ายของการทดลอง Pro Plan ของคุณ :link เพื่ออัปเกรดทันที',
+ 'trial_call_to_action' => 'เริ่มทดลองใช้ฟรี',
+ 'trial_success' => 'เปิดใช้งานการทดลองใช้ฟรี Pro Plan สองสัปดาห์แล้ว',
+ 'overdue' => 'เกินกำหนด',
+
+
+ 'white_label_text' => 'ชำระเงินสำหรับ white label ไลเซนต์ 1 ปี ราคา :price เพื่อเอา logo invoice ninja ออกจากใบแจ้งหนี้และพอร์ทัลของลูกค้า',
+ 'user_email_footer' => 'หากต้องการปรับการตั้งค่าการแจ้งเตือนทางอีเมลโปรดไปที่ :link',
+ 'reset_password_footer' => 'หากคุณไม่ได้ขอให้รีเซ็ตรหัสผ่านนี้โปรดส่งอีเมลถึงฝ่ายสนับสนุนของเรา: :email',
+ 'limit_users' => 'ขออภัย, เกินขีดจำกัดของ :limit ผู้ใช้',
+ 'more_designs_self_host_header' => 'เพิ่มการออกแบบใบแจ้งหนี้ 6 ใบในราคา :price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link สำหรับ $:price เพื่อให้สามารถจัดแต่งแบบได้ตามต้องการและช่วยสนับสนุนโครงการของเรา',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link ลบโลโก้ Invoice Ninja โดยการเข้าร่วม Pro Plan',
+ 'pro_plan_remove_logo_link' => 'คลิกที่นี่',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'มุมมอง',
+ 'email_error_inactive_client' => 'อีเมลไม่สามารถส่งไปยังลูกค้าที่ไม่ได้ใช้งานได้',
+ 'email_error_inactive_contact' => 'ไม่สามารถส่งอีเมลไปยังที่อยู่ติดต่อที่ไม่ใช้งานได้',
+ 'email_error_inactive_invoice' => 'ไม่สามารถส่งอีเมลไปยังใบแจ้งหนี้ที่ไม่ใช้งานได้',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'โปรดลงทะเบียนบัญชีของคุณเพื่อส่งอีเมล',
+ 'email_error_user_unconfirmed' => 'โปรดยืนยันบัญชีของคุณเพื่อส่งอีเมล',
+ 'email_error_invalid_contact_email' => 'อีเมลติดต่อไม่ถูกต้อง',
+
+ 'navigation' => 'สำรวจ',
+ 'list_invoices' => 'รายการใบแจ้งหนี้',
+ 'list_clients' => 'รายการลูกค้า',
+ 'list_quotes' => 'รายการใบเสนอราคา',
+ 'list_tasks' => 'รายการงาน',
+ 'list_expenses' => 'รายการค่าใช้จ่าย',
+ 'list_recurring_invoices' => 'แสดงรายการใบแจ้งหนี้ที่เกิดซ้ำ',
+ 'list_payments' => 'รายการชำระเงิน',
+ 'list_credits' => 'รายการเครดิต',
+ 'tax_name' => 'ชื่อภาษี',
+ 'report_settings' => 'การตั้งค่ารายงาน',
+ 'search_hotkey' => 'ทางลัดคือ /',
+
+ 'new_user' => 'ผู้ใช้ใหม่',
+ 'new_product' => 'สินค้าใหม่',
+ 'new_tax_rate' => 'อัตราภาษีใหม่',
+ 'invoiced_amount' => 'จำนวนเงินในใบแจ้งหนี้',
+ 'invoice_item_fields' => 'ช่องรายการสินค้าใบแจ้งหนี้',
+ 'custom_invoice_item_fields_help' => 'เพิ่มฟิลด์เมื่อสร้างรายการใบแจ้งหนี้และแสดงป้ายกำกับ และค่าใน PDF',
+ 'recurring_invoice_number' => 'จำนวนที่เกิดขึ้นประจำ',
+ 'recurring_invoice_number_prefix_help' => 'ระบุคำนำหน้าเพื่อเพิ่มหมายเลขใบแจ้งหนี้สำหรับใบแจ้งหนี้ที่เกิดขึ้นประจำ',
+
+ // Client Passwords
+ 'enable_portal_password' => 'รหัสผ่านป้องกันใบแจ้งหนี้',
+ 'enable_portal_password_help' => 'ช่วยให้คุณสามารถตั้งรหัสผ่านสำหรับแต่ละรายชื่อ หากมีการตั้งรหัสผ่านผู้ติดต่อจะต้องป้อนรหัสผ่านก่อนดูใบแจ้งหนี้',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'หากไม่มีการตั้งค่ารหัสผ่าน ระบบจะสร้างและส่งใบแจ้งหนี้ฉบับแรก',
+
+ 'expired' => 'หมดอายุ',
+ 'invalid_card_number' => 'เลขที่บัตรเครดิตไม่ถูกต้อง',
+ 'invalid_expiry' => 'วันที่หมดอายุไม่ถูกต้อง',
+ 'invalid_cvv' => 'รสัส CVV ไม่ถูกต้อง',
+ 'cost' => 'ค่าใช้จ่าย',
+ 'create_invoice_for_sample' => 'หมายเหตุ: สร้างใบแจ้งหนี้เพื่อดู Preview ได้ที่นี่',
+
+ // User Permissions
+ 'owner' => 'เจ้าของ',
+ 'administrator' => 'ผู้ดูแลระบบ',
+ 'administrator_help' => 'อนุญาตให้ผู้ใช้ จัดการผู้ใช้อื่น เปลี่ยนแปลงการตั้งค่าและแก้ไขระเบียนทั้งหมด',
+ 'user_create_all' => 'สร้าง ลูกค้า, ใบแจ้งหนี้, อื่นๆ.',
+ 'user_view_all' => 'ดูลูกค้าใบแจ้งหนี้ และอื่นๆ',
+ 'user_edit_all' => 'แก้ไขลูกค้าใบแจ้งหนี้ และอื่นๆ',
+ 'gateway_help_20' => ':link ลงชื่อสมัครใช้ Sage Pay',
+ 'gateway_help_21' => ':link เพื่อลงชื่อสมัครใช้ Sage Pay',
+ 'partial_due' => 'ครบกำหนด',
+ 'restore_vendor' => 'คืนค่าผู้ขาย',
+ 'restored_vendor' => 'ผู้ขายที่ได้รับการคืนค่าเรียบร้อยแล้ว',
+ 'restored_expense' => 'กู้คืนค่าใช้จ่ายเรียบร้อยแล้ว',
+ 'permissions' => 'สิทธิ์',
+ 'create_all_help' => 'อนุญาตให้ผู้ใช้สร้างและแก้ไขรายการ',
+ 'view_all_help' => 'อนุญาตให้ผู้ใช้มองเห็นรายการที่ตนเองไม่ได้สร้าง',
+ 'edit_all_help' => 'อนุญาตให้ผู้ใช้แก้ไขรายการที่ไม่ได้สร้างขึ้นเอง',
+ 'view_payment' => 'ดูรายการจ่ายเงิน',
+
+ 'january' => 'มกราคม',
+ 'february' => 'กุมภาพันธ์',
+ 'march' => 'มีนาคม',
+ 'april' => 'เมษายน',
+ 'may' => 'พฤษภาคม',
+ 'june' => 'มิถุนายน',
+ 'july' => 'กรกฎาคม',
+ 'august' => 'สิงหาคม',
+ 'september' => 'กันยายน',
+ 'october' => 'ตุลาคม',
+ 'november' => 'พฤศจิกายน',
+ 'december' => 'ธันวาคม',
+
+ // Documents
+ 'documents_header' => 'เอกสาร',
+ 'email_documents_header' => 'เอกสาร:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'ฝังเอกสาร',
+ 'invoice_embed_documents_help' => 'รวมภาพที่แนบมาในใบแจ้งหนี้',
+ 'document_email_attachment' => 'แนบเอกสาร',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'ดาวน์โหลดเอกสาร (:size)',
+ 'documents_from_expenses' => 'จากค่าใช้จ่าย:',
+ 'dropzone_default_message' => 'วางไฟล์หรือคลิกเพื่ออัปโหลด',
+ 'dropzone_fallback_message' => 'เบราว์เซอร์ของคุณไม่สนับสนุนการอัปโหลดไฟแ์บบลากวาง',
+ 'dropzone_fallback_text' => 'โปรดใช้แบบฟอร์มสำรองทางด้านล่างเพื่ออัปโหลดไฟล์ของคุณ',
+ 'dropzone_file_too_big' => 'ไฟล์ใหญ่เกินไป ({{filesize}} MiB) ไฟล์สูงสุด: {{maxFilesize}} MiB',
+ 'dropzone_invalid_file_type' => 'คุณไม่สามารถอัปโหลดไฟล์ประเภทนี้ได้',
+ 'dropzone_response_error' => 'เซิร์ฟเวอร์ตอบกลับด้วยรหัส {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'ยกเลิกการอัปโหลด',
+ 'dropzone_cancel_upload_confirmation' => 'คุณแน่ใจหรือไม่ว่าต้องการยกเลิกการอัปโหลดนี้',
+ 'dropzone_remove_file' => 'ลบไฟล์',
+ 'documents' => 'เอกสาร:',
+ 'document_date' => 'วันที่เอกสาร',
+ 'document_size' => 'ขนาด',
+
+ 'enable_client_portal' => 'พอร์ทัลลูกค้า',
+ 'enable_client_portal_help' => 'แสดง / ซ่อนพอร์ทัลลูกค้า',
+ 'enable_client_portal_dashboard' => 'แดชบอร์ด',
+ 'enable_client_portal_dashboard_help' => 'แสดง / ซ่อนหน้าแดชบอร์ดในหน้าลูกค้า',
+
+ // Plans
+ 'account_management' => 'การจัดการบัญชี',
+ 'plan_status' => 'สถานะ Plan',
+
+ 'plan_upgrade' => 'อัปเกรด',
+ 'plan_change' => 'เปลี่ยน Plan',
+ 'pending_change_to' => 'เปลี่ยนเป็น',
+ 'plan_changes_to' => ':plan ใน :date',
+ 'plan_term_changes_to' => ': plan (: term) วันที่: date',
+ 'cancel_plan_change' => 'ยกเลิกการเปลี่ยนแปลง',
+ 'plan' => 'Plan',
+ 'expires' => 'หมดอายุ',
+ 'renews' => 'ต่ออายุ',
+ 'plan_expired' => ':plan หมดอายุ',
+ 'trial_expired' => ':plan หมดเวลาทดลอง',
+ 'never' => 'ไม่เคย',
+ 'plan_free' => 'ฟรี',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'ทดลอง',
+ 'plan_term' => 'ระยะเวลา',
+ 'plan_term_monthly' => 'รายเดือน',
+ 'plan_term_yearly' => 'รายปี',
+ 'plan_term_month' => 'เดือน',
+ 'plan_term_year' => 'ปี',
+ 'plan_price_monthly' => '$:price/เดือน',
+ 'plan_price_yearly' => '$:price/ปี',
+ 'updated_plan' => 'อัปเดตการตั้งค่าแพลน',
+ 'plan_paid' => 'เริ่มต้นระยะเวลา',
+ 'plan_started' => 'เริ่มต้นแพลน',
+ 'plan_expires' => 'แพลนหมดอายุ',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'การลงทะเบียนหนึ่งปีสำหรับ Invoice Ninja Pro Plan',
+ 'pro_plan_month_description' => 'ลงทะเบียนหนึ่งเดือนสำหรับ Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'ลงทะเบียนหนึ่งปีสำหรับ Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'ลงทะเบียนหนึ่งเดือนสำหรับ Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'เครดิต',
+ 'plan_credit_description' => 'เครดิตสำหรับเวลาที่ไม่ได้ใช้',
+ 'plan_pending_monthly' => 'จะเปลี่ยนเป็นรายเดือน :date',
+ 'plan_refunded' => 'มีการออกเอกสารการคืนเงินแล้ว',
+
+ 'live_preview' => 'ดูตัวอย่างสด',
+ 'page_size' => 'ขนาดหน้า',
+ 'live_preview_disabled' => 'การดูตัวอย่างแบบสดถูกปิดใช้งานเพื่อสนับสนุนแบบอักษรที่เลือก',
+ 'invoice_number_padding' => 'การขยาย',
+ 'preview' => 'ดูตัวอย่าง',
+ 'list_vendors' => 'รายชื่อผู้ขาย',
+ 'add_users_not_supported' => 'อัปเกรดเป็นแผน Enterprise เพื่อเพิ่มผู้ใช้เพิ่มเติมในบัญชีของคุณ',
+ 'enterprise_plan_features' => 'แผน Enterprise เพิ่มการสนับสนุนสำหรับผู้ใช้หลายคนและไฟล์แนบ :link เพื่อดูรายการคุณสมบัติทั้งหมด',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'การชำระเงินคืน',
+ 'refund_max' => 'สูงสุด:',
+ 'refund' => 'คืนเงิน',
+ 'are_you_sure_refund' => 'คืนเงินที่เลือก?',
+ 'status_pending' => 'Pending',
+ 'status_completed' => 'Completed',
+ 'status_failed' => 'Failed',
+ 'status_partially_refunded' => 'คืนเงินบางส่วน',
+ 'status_partially_refunded_amount' => ':amount คืนเงิน',
+ 'status_refunded' => 'Refunded',
+ 'status_voided' => 'Cancelled',
+ 'refunded_payment' => 'การคืนเงิน',
+ 'activity_39' => ':user ยกเลิก :payment_amount การชำระเงิน :payment',
+ 'activity_40' => ':usre คืนเงิน :adjustment ของ :payment_amount การชำระเงิน :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'ไม่ทราบ',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'มีการกำหนดค่าเกตเวย์อื่นสำหรับการตัดบัญชีโดยตรงแล้ว',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'รหัสลูกค้า',
+ 'secret' => 'Secret',
+ 'public_key' => 'กุญแจสาธารณะ',
+ 'plaid_optional' => '(ตัวเลือกเพิ่มเติม)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'ผู้ให้บริการอื่น',
+ 'country_not_supported' => 'ประเทศนี้ไม่ได้รับการสนับสนุน',
+ 'invalid_routing_number' => 'หมายเลขเส้นทางไม่ถูกต้อง',
+ 'invalid_account_number' => 'หมายเลขบัญชีไม่ถูกต้อง',
+ 'account_number_mismatch' => 'หมายเลขบัญชีไม่ตรงกัน',
+ 'missing_account_holder_type' => 'โปรดเลือกบัญชีส่วนบุคคลหรือบัญชีบริษัท',
+ 'missing_account_holder_name' => 'โปรดใส่ชื่อผู้ถือบัตร',
+ 'routing_number' => 'หมายเลขเส้นทาง',
+ 'confirm_account_number' => 'ยืนยันบัญชีธนาคาร',
+ 'individual_account' => 'บัญชีส่วนบุคคล',
+ 'company_account' => 'บัญชีบริษัท',
+ 'account_holder_name' => 'ชื่อเจ้าของบัญขี',
+ 'add_account' => 'เพิ่มบัญชี',
+ 'payment_methods' => 'วิธีการชำระเงิน',
+ 'complete_verification' => 'การยื่นยันสมบูรณ์',
+ 'verification_amount1' => 'จำนวนเงิน 1',
+ 'verification_amount2' => 'จำนวนเงิน 2',
+ 'payment_method_verified' => 'การยืนยันเสร็จสมบูรณ์แล้ว',
+ 'verification_failed' => 'การยืนยันล้มเหลว',
+ 'remove_payment_method' => 'ลบวิธีการชำระเงิน',
+ 'confirm_remove_payment_method' => 'คุณแน่ใจหรือไม่ว่าต้องการนำวิธีการชำระเงินนี้ออก',
+ 'remove' => 'เอาออก',
+ 'payment_method_removed' => 'ลบวิธีการชำระเงินแล้ว',
+ 'bank_account_verification_help' => 'เราได้ทำการฝากเงินเข้าบัญชีของคุณไว้ 2 ใบพร้อมคำอธิบาย "VERIFICATION" เงินฝากเหล่านี้จะใช้เวลา 1-2 วันทำการในใบแจ้งยอดของคุณ โปรดป้อนจำนวนเงินด้านล่าง',
+ 'bank_account_verification_next_steps' => 'เราได้ทำการฝากเงินเข้าบัญชีของคุณไว้ 2 ใบพร้อมคำอธิบาย "VERIFICATION" เงินฝากเหล่านี้จะใช้เวลา 1-2 วันทำการจะปรากฎในใบแจ้งยอดของคุณ
+ เมื่อคุณมีจำนวนแล้วให้กลับมาที่หน้าวิธีการชำระเงินนี้และคลิก "Complete Verification" ถัดจากบัญชี',
+ 'unknown_bank' => 'ธนาคารที่ไม่รู้จัก',
+ 'ach_verification_delay_help' => 'คุณจะสามารถใช้บัญชีหลังจากเสร็จสิ้นการยืนยัน การยืนยันจะใช้เวลาประมาณ 1-2 วันทำการ',
+ 'add_credit_card' => 'เพิ่มบัตรเครดิต',
+ 'payment_method_added' => 'เพิ่มวิธีการชำระเงิน',
+ 'use_for_auto_bill' => 'ใช้สำหรับ บิล อัตโนมัติ',
+ 'used_for_auto_bill' => 'วิธีการชำระเงินอัตโนมัติ',
+ 'payment_method_set_as_default' => 'ตั้งค่าการชำระเงินอัตโนมัติ',
+ 'activity_41' => ':payment_amount จ่ายชำระเงิน (:payment) ล้มเหลว',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'คุณต้อง :link.',
+ 'stripe_webhook_help_link_text' => 'เพิ่ม URL นี้เป็นปลายทางที่ Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'มีข้อผิดพลาดในการเพิ่มวิธีการชำระเงินของคุณ กรุณาลองใหม่อีกครั้งในภายหลัง.',
+ 'notification_invoice_payment_failed_subject' => 'การชำระเงินล้มเหลวสำหรับใบแจ้งหนี้',
+ 'notification_invoice_payment_failed' => 'การชำระเงินโดยลูกค้า:client ต่อ Invoice :invoice ล้มเหลว การชำระเงินถูกทำเครื่องหมายว่าไม่ผ่านและ :amount ถูกเพิ่มลงในยอดเงินของลูกค้า',
+ 'link_with_plaid' => 'เชื่อมโยงบัญชีทันทีกับ Plaid',
+ 'link_manually' => 'ลิงค์เอง',
+ 'secured_by_plaid' => 'รับประกันโดย Plaid',
+ 'plaid_linked_status' => 'บัญชีธนาคารของคุณที่ :bank',
+ 'add_payment_method' => 'เพิ่มวิธีการชำระเงิน',
+ 'account_holder_type' => 'ประเภทเจ้าของบัญชี',
+ 'ach_authorization' => 'ฉันอนุญาต :company เพื่อใช้บัญชีธนาคารของฉันสำหรับการชำระเงินในอนาคตและหากจำเป็นให้เครดิตบัญชีของฉันทางอิเล็กทรอนิกส์เพื่อแก้ไขการตัดบัญชีที่ผิดพลาด. ฉันเข้าใจว่าฉันสามารถยกเลิกการให้สิทธิ์นี้เมื่อใดก็ได้โดยการลบวิธีการชำระเงินหรือโดยการติดต่อ :email',
+ 'ach_authorization_required' => 'คุณต้องยอมรับการทำธุรกรรมของ ACH',
+ 'off' => 'ปิด',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'ตลอดเวลา',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'จัดการการเรียกเก็บเงินอัตโนมัติ',
+ 'enabled' => 'เปิด',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'เปิดใช้งานการชำระ PayPal ผ่าน BrainTree',
+ 'braintree_paypal_disabled_help' => 'เกตเวย์ของ PayPal กำลังประมวลผลการชำระเงินผ่าน PayPal',
+ 'braintree_paypal_help' => 'คุณต้อง :link.',
+ 'braintree_paypal_help_link_text' => 'เชื่อมโยง PayPal กับบัญชี BrainTree ของคุณ',
+ 'token_billing_braintree_paypal' => 'บันทึกรายละเอียดการชำระเงิน',
+ 'add_paypal_account' => 'เพิ่มบัญชี PayPal',
+
+
+ 'no_payment_method_specified' => 'ไม่ระบุวิธีการชำระเงิน',
+ 'chart_type' => 'ประเภทแผนภูมิ',
+ 'format' => 'รูปแบบ',
+ 'import_ofx' => 'นำเข้า OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'ไม่สามารถวิเคราะห์ไฟล์ OFX ได้',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'ลงชื่อสมัครใช้ WePay',
+ 'use_another_provider' => 'ใช้ผู้ให้บริการรายอื่น',
+ 'company_name' => 'ชื่อบริษัท',
+ 'wepay_company_name_help' => 'ข้อความนี้จะปรากฏในใบแจ้งยอดบัตรเครดิตของลูกค้า',
+ 'wepay_description_help' => 'วัตถุประสงค์ของบัญชีนี้',
+ 'wepay_tos_agree' => 'ข้าพเจ้าเห็นด้วยตาม :link',
+ 'wepay_tos_link_text' => 'เงื่อนไขของ WePay',
+ 'resend_confirmation_email' => 'ส่งอีเมลเพื่อยืนยันใหม่',
+ 'manage_account' => 'จัดการบัญชี',
+ 'action_required' => 'ต้องการการดำเนินการ',
+ 'finish_setup' => 'การติดตั้งเสร็จสมบูรณ์',
+ 'created_wepay_confirmation_required' => 'โปรดตรวจสอบอีเมลของคุณและยืนยันที่อยู่อีเมลของคุณกับ WePay',
+ 'switch_to_wepay' => 'สลับไปยัง Wepay',
+ 'switch' => 'สลับ',
+ 'restore_account_gateway' => 'เกตเวย์ที่ได้รับการคืนค่าแล้ว',
+ 'restored_account_gateway' => 'เรียกคืนเกตเวย์เรียบร้อยแล้ว',
+ 'united_states' => 'สหรัฐอเมริกา',
+ 'canada' => 'แคนาดา',
+ 'accept_debit_cards' => 'ยอมรับบัตรเดบิต',
+ 'debit_cards' => 'บัตรเดบิต',
+
+ 'warn_start_date_changed' => 'ใบแจ้งหนี้ถัดไปจะถูกส่งในวันเริ่มต้นใหม่',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'วันที่เริ่มต้นเดิม',
+ 'new_start_date' => 'วันที่เริ่มต้นใหม่',
+ 'security' => 'ความปลอดภัย',
+ 'see_whats_new' => 'ดูว่ามีอะไรใหม่ในเวอร์ชัน :version',
+ 'wait_for_upload' => 'โปรดรอให้เอกสารอัปโหลดเสร็จสมบูรณ์',
+ 'upgrade_for_permissions' => 'อัปเกรดเป็นแผน Enterprise เพื่อเปิดใช้สิทธิ์',
+ 'enable_second_tax_rate' => 'ปิดใช้งาน การระบุอัตราภาษี',
+ 'payment_file' => 'ไฟล์การชำระเงิน',
+ 'expense_file' => 'ไฟล์ค่าใช้จ่าย',
+ 'product_file' => 'ไฟล์สินค้า',
+ 'import_products' => 'นำเข้าสินค้า',
+ 'products_will_create' => 'สินค้ากำลังถูกสร้างขึ้น',
+ 'product_key' => 'สินค้า',
+ 'created_products' => 'สร้าง / อัปเดตเรียบร้อยแล้ว :count สินค้า(s)',
+ 'export_help' => 'ใช้ JSON ถ้าคุณวางแผนที่จะนำเข้าข้อมูลลงใน Invoice Ninja.
ไฟล์ประกอบด้วยลูกค้า, สินค้า, ใบแจ้งหนี้, ใบเสนอราคา และการชำระเงิน.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'มุมมองแดชบอร์ด',
+ 'client_session_expired' => 'เซสชั่นหมดอายุ',
+ 'client_session_expired_message' => 'เซสชันของคุณหมดอายุแล้ว โปรดคลิกลิงก์ในอีเมลของคุณอีกครั้ง',
+
+ 'auto_bill_notification' => 'ใบแจ้งหนี้นี้จะถูกเรียกเก็บเงินจากคุณโดยอัตโนมัติ :payment_method ในไฟล์ :due_date',
+ 'auto_bill_payment_method_bank_transfer' => 'บัญชีธนาคาร',
+ 'auto_bill_payment_method_credit_card' => 'บัตรเครดิต',
+ 'auto_bill_payment_method_paypal' => 'บัญชี PayPal',
+ 'auto_bill_notification_placeholder' => 'ใบแจ้งหนี้นี้จะถูกเรียกเก็บเงินจากบัตรเครดิตของคุณโดยอัตโนมัติในวันครบกำหนด',
+ 'payment_settings' => 'การตั้งค่าการชำระเงิน',
+
+ 'on_send_date' => 'ในวันที่ส่ง',
+ 'on_due_date' => 'ในวันครบกำหนด',
+ 'auto_bill_ach_date_help' => 'ACH จะเรียกเก็บเงินอัตโนมัติในวันครบกำหนด',
+ 'warn_change_auto_bill' => 'เนื่องจากกฎของ NACHA การเปลี่ยนแปลงในใบแจ้งหนี้นี้อาจป้องกันการเรียกเก็บเงินอัตโนมัติของ ACH',
+
+ 'bank_account' => 'บัญชีธนาคาร',
+ 'payment_processed_through_wepay' => 'ACH การชำระเงินจะดำเนินการโดยใช้ WePay',
+ 'wepay_payment_tos_agree' => 'ฉันยอมรับ WePay :terms และ :privacy_policy',
+ 'privacy_policy' => 'นโยบายความเป็นส่วนตัว',
+ 'wepay_payment_tos_agree_required' => 'คุณต้องยอมรับข้อกำหนดในการให้บริการและนโยบายส่วนบุคคลของ WePay',
+ 'ach_email_prompt' => 'กรุณากรอกอีเมลของคุณ:',
+ 'verification_pending' => 'กำลังตรวจสอบรอดำเนินการ',
+
+ 'update_font_cache' => 'โปรดบังคับให้รีเฟรชหน้าเว็บเพื่อปรับปรุงแคชแบบอักษร',
+ 'more_options' => 'ตัวเลือกเพิ่มเติม',
+ 'credit_card' => 'บัตรเครดิต',
+ 'bank_transfer' => 'โอนเงินผ่านธนาคาร',
+ 'no_transaction_reference' => 'เราไม่ได้รับการอ้างอิงธุรกรรมการชำระเงินจากเกตเวย์',
+ 'use_bank_on_file' => 'ใช้ธนาคารจากไฟล์',
+ 'auto_bill_email_message' => 'ใบแจ้งหนี้นี้จะถูกเรียกเก็บเงินโดยอัตโนมัติตามวิธีการชำระเงินที่ระบุในวันที่ครบกำหนด',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'เพิ่ม :date',
+ 'failed_remove_payment_method' => 'ไม่สามารถลบวิธีการชำระเงินได้',
+ 'gateway_exists' => 'เกตเวย์นี้มีอยู่แล้ว',
+ 'manual_entry' => 'ป้อนค่าด้วยตนเอง',
+ 'start_of_week' => 'วันแรกของสัปดาห์',
+
+ // Frequencies
+ 'freq_inactive' => 'ไม่ทำงาน',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'รายสัปดาห์',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'สองสัปดาห์',
+ 'freq_four_weeks' => 'สี่สับดาห์',
+ 'freq_monthly' => 'รายเดือน',
+ 'freq_three_months' => 'สามเดือน',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'หกเดือน',
+ 'freq_annually' => 'รายปี',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'สมัครเครดิต',
+ 'payment_type_Bank Transfer' => 'โอนเงินผ่านธนาคาร',
+ 'payment_type_Cash' => 'เงินสด',
+ 'payment_type_Debit' => 'เดบิต',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'บัตรวีซ่า',
+ 'payment_type_MasterCard' => 'บัตรมาสเตอร์การ์ด',
+ 'payment_type_American Express' => 'อเมริกันเอ็กเพรส',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'บัตรเครดิตอื่น ๆ',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'เช็ค',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'การบัญชีและกฎหมาย',
+ 'industry_Advertising' => 'การโฆษณา',
+ 'industry_Aerospace' => 'การบินและอวกาศ',
+ 'industry_Agriculture' => 'การเกษตร',
+ 'industry_Automotive' => 'ยานยนต์',
+ 'industry_Banking & Finance' => 'การเงินและการธนาคาร',
+ 'industry_Biotechnology' => 'เทคโนโลยีชีวภาพ',
+ 'industry_Broadcasting' => 'วิทยุและการกระจายเสียง',
+ 'industry_Business Services' => 'บริการทางธุรกิจ',
+ 'industry_Commodities & Chemicals' => 'สินค้าโภคภัณฑ์และเคมีภัณฑ์',
+ 'industry_Communications' => 'คมนาคม',
+ 'industry_Computers & Hightech' => 'คอมพิวเตอร์และเทคโนโลยี',
+ 'industry_Defense' => 'การป้องกันทางทหาร',
+ 'industry_Energy' => 'พลังงาน',
+ 'industry_Entertainment' => 'บันเทิง',
+ 'industry_Government' => 'ราชการ',
+ 'industry_Healthcare & Life Sciences' => 'สุขภาพและวิทยาศาสตร์เพื่อชีวิต',
+ 'industry_Insurance' => 'ประกันภัย',
+ 'industry_Manufacturing' => 'การผลิต',
+ 'industry_Marketing' => 'การตลาด',
+ 'industry_Media' => 'สื่อ',
+ 'industry_Nonprofit & Higher Ed' => 'องค์กรที่ไม่แสวงหากำไรและอุดมศึกษา',
+ 'industry_Pharmaceuticals' => 'ยาและเวชภัณฑ์',
+ 'industry_Professional Services & Consulting' => 'บริการและที่ปรึกษาทางวิชาชีพ',
+ 'industry_Real Estate' => 'อสังหาริมทรัพย์',
+ 'industry_Restaurant & Catering' => 'ร้านอาหารและการจัดเลี้ยง',
+ 'industry_Retail & Wholesale' => 'ค้าปลีกค้าส่ง',
+ 'industry_Sports' => 'กีฬา',
+ 'industry_Transportation' => 'การขนส่ง',
+ 'industry_Travel & Luxury' => 'การท่องเที่ยวและความบันเทิง',
+ 'industry_Other' => 'อื่นๆ',
+ 'industry_Photography' => 'ภาพถ่าย',
+
+ // Countries
+ 'country_Afghanistan' => 'อัฟกานิสถาน',
+ 'country_Albania' => 'อัลบาเนีย',
+ 'country_Antarctica' => 'แอนตาร์กติการ์',
+ 'country_Algeria' => 'อัลจีเรีย',
+ 'country_American Samoa' => 'อเมริกัน ซามาว',
+ 'country_Andorra' => 'แอนโดรา',
+ 'country_Angola' => 'แองโกลา',
+ 'country_Antigua and Barbuda' => 'แอนติกัวและบาร์บัวดา',
+ 'country_Azerbaijan' => 'อาเซอร์ไบจัน',
+ 'country_Argentina' => 'อาร์เจนตินาร์',
+ 'country_Australia' => 'ออสเตรเลีย',
+ 'country_Austria' => 'ออสเตรีย',
+ 'country_Bahamas' => 'บาฮามาส',
+ 'country_Bahrain' => 'บาร์เรน',
+ 'country_Bangladesh' => 'บังกลาเทศ',
+ 'country_Armenia' => 'อาร์มาเนีย',
+ 'country_Barbados' => 'บาร์เบดอส',
+ 'country_Belgium' => 'เบลเยี่ยม',
+ 'country_Bermuda' => 'เบอร์มิวดา',
+ 'country_Bhutan' => 'ภูฐาน',
+ 'country_Bolivia, Plurinational State of' => 'โบลิเวียร์',
+ 'country_Bosnia and Herzegovina' => 'บอสเนีย',
+ 'country_Botswana' => 'บอสวาร์นา',
+ 'country_Bouvet Island' => 'เกาะบัวร์เวต',
+ 'country_Brazil' => 'บราซิล',
+ 'country_Belize' => 'เบลิซ',
+ 'country_British Indian Ocean Territory' => 'ดินแดนบริติชอินเดียนโอเชี่ยน',
+ 'country_Solomon Islands' => 'หมู่เกาะโซโลมอน',
+ 'country_Virgin Islands, British' => 'หมู่เกาะเวอร์จินไอร์แลนด์',
+ 'country_Brunei Darussalam' => 'บรูไน',
+ 'country_Bulgaria' => 'บัลแกเรีย',
+ 'country_Myanmar' => 'เมียนมาร์',
+ 'country_Burundi' => 'บูรันดี',
+ 'country_Belarus' => 'เบลารุส',
+ 'country_Cambodia' => 'โคลัมเบีย',
+ 'country_Cameroon' => 'แคเมอรูน',
+ 'country_Canada' => 'แคนาดา',
+ 'country_Cape Verde' => 'เคปเวิร์ด',
+ 'country_Cayman Islands' => 'หมู่เกาะเคย์แมน',
+ 'country_Central African Republic' => 'สาธารณรัฐแอฟริกากลาง',
+ 'country_Sri Lanka' => 'ศรีลังกา',
+ 'country_Chad' => 'ชาด',
+ 'country_Chile' => 'ชิลี',
+ 'country_China' => 'จีน',
+ 'country_Taiwan, Province of China' => 'ไต้หวัน',
+ 'country_Christmas Island' => 'เกาะคริสต์มาส',
+ 'country_Cocos (Keeling) Islands' => 'เกาะโคโคส (คีลิง)',
+ 'country_Colombia' => 'โคลอมเบีย',
+ 'country_Comoros' => 'คอโมโรส',
+ 'country_Mayotte' => 'มายอต',
+ 'country_Congo' => 'คองโก',
+ 'country_Congo, the Democratic Republic of the' => 'สาธารณรัฐประชาธิปไตยคองโก',
+ 'country_Cook Islands' => 'หมู่เกาะคุก',
+ 'country_Costa Rica' => 'คอสตาริกา',
+ 'country_Croatia' => 'โครเอเชีย',
+ 'country_Cuba' => 'คิวบา',
+ 'country_Cyprus' => 'ไซปรัส',
+ 'country_Czech Republic' => 'สาธารณรัฐเช็ก',
+ 'country_Benin' => 'ประเทศเบนิน',
+ 'country_Denmark' => 'เดนมาร์ก',
+ 'country_Dominica' => 'โดมินิกา',
+ 'country_Dominican Republic' => 'สาธารณรัฐโดมินิกัน',
+ 'country_Ecuador' => 'เอกวาดอร์',
+ 'country_El Salvador' => 'เอลซัลวาดอร์',
+ 'country_Equatorial Guinea' => 'อิเควทอเรียลกินี',
+ 'country_Ethiopia' => 'สาธารณรัฐเอธิโอเปีย',
+ 'country_Eritrea' => 'เอริเทรี',
+ 'country_Estonia' => 'เอสโตเนีย',
+ 'country_Faroe Islands' => 'หมู่เกาะแฟโร',
+ 'country_Falkland Islands (Malvinas)' => 'หมู่เกาะฟอล์กแลนด์ (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'เกาะเซาท์จอร์เจียและหมู่เกาะเซาท์แซนด์วิช',
+ 'country_Fiji' => 'ฟิจิ',
+ 'country_Finland' => 'ฟินแลนด์',
+ 'country_Åland Islands' => 'หมู่เกาะโอลัน',
+ 'country_France' => 'ฝรั่งเศส',
+ 'country_French Guiana' => 'เฟรนช์เกีย',
+ 'country_French Polynesia' => 'เฟรนช์โปลินีเซีย',
+ 'country_French Southern Territories' => 'ดินแดนทางตอนใต้ของฝรั่งเศส',
+ 'country_Djibouti' => 'จิบูตี',
+ 'country_Gabon' => 'ประเทศกาบอง',
+ 'country_Georgia' => 'จอร์เจีย',
+ 'country_Gambia' => 'แกมเบีย',
+ 'country_Palestinian Territory, Occupied' => 'ดินแดนปาเลสไตน์',
+ 'country_Germany' => 'ประเทศเยอรมัน',
+ 'country_Ghana' => 'ประเทศกานา',
+ 'country_Gibraltar' => 'ยิบรอลตา',
+ 'country_Kiribati' => 'ประเทศคิริบาส',
+ 'country_Greece' => 'กรีซ',
+ 'country_Greenland' => 'เกาะกรีนแลนด์',
+ 'country_Grenada' => 'เกรเนดา',
+ 'country_Guadeloupe' => 'ลุป',
+ 'country_Guam' => 'กวม',
+ 'country_Guatemala' => 'กัวเตมาลา',
+ 'country_Guinea' => 'ประเทศกินี',
+ 'country_Guyana' => 'กายอานา',
+ 'country_Haiti' => 'ไฮติ',
+ 'country_Heard Island and McDonald Islands' => 'เกาะเฮิร์ดและหมู่เกาะแมคโดนัลด์',
+ 'country_Holy See (Vatican City State)' => 'Holy See (นครรัฐวาติกัน)',
+ 'country_Honduras' => 'ฮอนดูรัส',
+ 'country_Hong Kong' => 'ฮ่องกง',
+ 'country_Hungary' => 'ฮังการี่',
+ 'country_Iceland' => 'ไอซ์แลนด์',
+ 'country_India' => 'อินเดีย',
+ 'country_Indonesia' => 'อินโดนีเซีย',
+ 'country_Iran, Islamic Republic of' => 'อิหร่าน',
+ 'country_Iraq' => 'อิรัค',
+ 'country_Ireland' => 'ไอร์แลนด์',
+ 'country_Israel' => 'อิสราเอล',
+ 'country_Italy' => 'อิตาลี',
+ 'country_Côte d\'Ivoire' => 'โกตดิวัวร์',
+ 'country_Jamaica' => 'เกาะจาเมกา',
+ 'country_Japan' => 'ประเทศญี่ปุ่น',
+ 'country_Kazakhstan' => 'คาซัคสถาน',
+ 'country_Jordan' => 'จอร์แดน',
+ 'country_Kenya' => 'ประเทศเคนย่า',
+ 'country_Korea, Democratic People\'s Republic of' => 'เกาหลีใต้',
+ 'country_Korea, Republic of' => 'เกาหลีเหนือ',
+ 'country_Kuwait' => 'คูเวต',
+ 'country_Kyrgyzstan' => 'คีร์กีสถาน',
+ 'country_Lao People\'s Democratic Republic' => 'ลาว',
+ 'country_Lebanon' => 'เลบานอน',
+ 'country_Lesotho' => 'เลโซโท',
+ 'country_Latvia' => 'ลัตเวีย',
+ 'country_Liberia' => 'ไลบีเรีย',
+ 'country_Libya' => 'ลิบยา',
+ 'country_Liechtenstein' => 'ลิกเตนสไตน์',
+ 'country_Lithuania' => 'ลิธัวเนีย',
+ 'country_Luxembourg' => 'ลักเซมเบิร์ก',
+ 'country_Macao' => 'มาเก๊า',
+ 'country_Madagascar' => 'มาดากัสการ์',
+ 'country_Malawi' => 'มาลาวี',
+ 'country_Malaysia' => 'มาเลเซีย',
+ 'country_Maldives' => 'มัลดีฟส์',
+ 'country_Mali' => 'มาลี',
+ 'country_Malta' => 'มอลตา',
+ 'country_Martinique' => 'มาร์ตินีก',
+ 'country_Mauritania' => 'มอริเตเนีย',
+ 'country_Mauritius' => 'มอริเชียส',
+ 'country_Mexico' => 'เม็กซิโก',
+ 'country_Monaco' => 'โมนาโก',
+ 'country_Mongolia' => 'มองโกเลีย',
+ 'country_Moldova, Republic of' => 'มอลโดวา',
+ 'country_Montenegro' => 'มอนเตเนโก',
+ 'country_Montserrat' => 'มอนต์เซอร์รัต',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'โมซัมบิก',
+ 'country_Oman' => 'โอมาน',
+ 'country_Namibia' => 'นามิเบีย',
+ 'country_Nauru' => 'นาอูรู',
+ 'country_Nepal' => 'เนปาล',
+ 'country_Netherlands' => 'เนเธอร์แลนด์',
+ 'country_Curaçao' => 'คูราเซา',
+ 'country_Aruba' => 'อารูบา',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (ส่วนชาวดัตช์)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius และ Saba',
+ 'country_New Caledonia' => 'สกอตแลนด์',
+ 'country_Vanuatu' => 'วานูอาตู',
+ 'country_New Zealand' => 'นิวซีแลนด์',
+ 'country_Nicaragua' => 'นิการากัว',
+ 'country_Niger' => 'ไนเธอร์',
+ 'country_Nigeria' => 'ไนจีเรีย',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'นอร์ฟอล์ก',
+ 'country_Norway' => 'นอร์เวย์',
+ 'country_Northern Mariana Islands' => 'หมู่เกาะนอร์เทิร์นมาเรียนา',
+ 'country_United States Minor Outlying Islands' => 'หมู่เกาะห่างไกลของสหรัฐอเมริกา',
+ 'country_Micronesia, Federated States of' => 'ไมโครนีเซีย',
+ 'country_Marshall Islands' => 'หมู่เกาะมาร์แชลล์',
+ 'country_Palau' => 'ปาเลา',
+ 'country_Pakistan' => 'ปากีสถาน',
+ 'country_Panama' => 'ปานามา',
+ 'country_Papua New Guinea' => 'ปาปัวนิวกินี',
+ 'country_Paraguay' => 'ปารากวัย',
+ 'country_Peru' => 'เปรู',
+ 'country_Philippines' => 'ฟิลิปปินส์',
+ 'country_Pitcairn' => 'พิตแคร์น',
+ 'country_Poland' => 'โปแลนด์',
+ 'country_Portugal' => 'โปรตุเกส',
+ 'country_Guinea-Bissau' => 'กินีบิสเซา',
+ 'country_Timor-Leste' => 'ติมอร์เลสเต',
+ 'country_Puerto Rico' => 'เปอร์โตริโก้',
+ 'country_Qatar' => 'กาตาร์',
+ 'country_Réunion' => 'เรอูนียง',
+ 'country_Romania' => 'โรมาเนีย',
+ 'country_Russian Federation' => 'สหพันธรัฐรัสเซีย',
+ 'country_Rwanda' => 'รวันดา',
+ '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' => 'เซนต์คิตส์และเนวิส',
+ 'country_Anguilla' => 'แองกวิลลา',
+ 'country_Saint Lucia' => 'เซนต์ลูเซีย',
+ 'country_Saint Martin (French part)' => 'เซนต์มาร์ติน (ฝรั่งเศส)',
+ 'country_Saint Pierre and Miquelon' => 'เซนต์ปิแอร์และมีเกอลง',
+ 'country_Saint Vincent and the Grenadines' => 'เซนต์วินเซนต์และเกรนาดีนส์',
+ 'country_San Marino' => 'ซานมารีโน',
+ 'country_Sao Tome and Principe' => 'เซาตูเมและปรินซิเป',
+ 'country_Saudi Arabia' => 'ซาอุดิอาราเบีย',
+ 'country_Senegal' => 'ประเทศเซเนกัล',
+ 'country_Serbia' => 'เซอร์เบีย',
+ 'country_Seychelles' => 'เซเชลส์',
+ 'country_Sierra Leone' => 'เซียร์ราลีโอน',
+ 'country_Singapore' => 'สิงคโปร์',
+ 'country_Slovakia' => 'สโลวะเกีย',
+ 'country_Viet Nam' => 'เวียดนาม',
+ 'country_Slovenia' => 'สโลวีเนีย',
+ 'country_Somalia' => 'โซมาเลีย',
+ 'country_South Africa' => 'แอฟริกาใต้',
+ 'country_Zimbabwe' => 'ซิมบับเว',
+ 'country_Spain' => 'สเปน',
+ 'country_South Sudan' => 'ซูดานใต้',
+ 'country_Sudan' => 'ซูดาน',
+ 'country_Western Sahara' => 'ซาฮาร่าตะวันตก',
+ 'country_Suriname' => 'ซูรินาเม',
+ 'country_Svalbard and Jan Mayen' => 'สฟาลบาร์และ Jan Mayen',
+ 'country_Swaziland' => 'สวาซิแลนด์',
+ 'country_Sweden' => 'สวีเดน',
+ 'country_Switzerland' => 'สวิตเซอร์แลนด์',
+ 'country_Syrian Arab Republic' => 'อาหรับซีเรีย',
+ 'country_Tajikistan' => 'ทาจิกิสถาน',
+ 'country_Thailand' => 'ไทย',
+ 'country_Togo' => 'โตโก',
+ 'country_Tokelau' => 'โตเกเลา',
+ 'country_Tonga' => 'ตองกา',
+ 'country_Trinidad and Tobago' => 'ตรินิแดดและโตเบโก',
+ 'country_United Arab Emirates' => 'สหรัฐอาหรับเอมิเรตส์',
+ 'country_Tunisia' => 'ตูนิเซีย',
+ 'country_Turkey' => 'ตุรกี',
+ 'country_Turkmenistan' => 'เติร์กเมนิสถาน',
+ 'country_Turks and Caicos Islands' => 'หมู่เกาะเติกส์และหมู่เกาะเคคอส',
+ 'country_Tuvalu' => 'ตูวาลู',
+ 'country_Uganda' => 'ยูกันดา',
+ 'country_Ukraine' => 'ยูเครน',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'มาซิโดเนียอดีตสาธารณรัฐยูโกสลาเวีย',
+ 'country_Egypt' => 'อียิปต์',
+ 'country_United Kingdom' => 'อังกฤษ',
+ 'country_Guernsey' => 'เกิร์นซีย์',
+ 'country_Jersey' => 'เจอร์ซีย์',
+ 'country_Isle of Man' => 'เกาะแมน',
+ 'country_Tanzania, United Republic of' => 'แทนซาเนีย',
+ 'country_United States' => 'สหรัฐอเมริกา',
+ 'country_Virgin Islands, U.S.' => 'หมู่เกาะเวอร์จิน',
+ 'country_Burkina Faso' => 'บูร์กินาฟาโซ',
+ 'country_Uruguay' => 'อุรุกวัย',
+ 'country_Uzbekistan' => 'อุซเบกิ',
+ 'country_Venezuela, Bolivarian Republic of' => 'เวเนซุเอลา',
+ 'country_Wallis and Futuna' => 'วาลลิสและฟุตูนา',
+ 'country_Samoa' => 'ซามัว',
+ 'country_Yemen' => 'เยเมน',
+ 'country_Zambia' => 'แซมเบีย',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'โปรตุเกส',
+ 'lang_Croatian' => 'โครเอเชีย',
+ 'lang_Czech' => 'สาธารณรัฐเช็ก',
+ 'lang_Danish' => 'เดนิส',
+ 'lang_Dutch' => 'ดัตช์',
+ 'lang_English' => 'อังกฤษ',
+ 'lang_French' => 'ฝรั่งเศส',
+ 'lang_French - Canada' => 'ฝรั่งเศส - แคนาดา',
+ 'lang_German' => 'เยอรมัน',
+ 'lang_Italian' => 'อิตาลี',
+ 'lang_Japanese' => 'ญี่ปุ่น',
+ 'lang_Lithuanian' => 'ลิธัวเนีย',
+ 'lang_Norwegian' => 'นอร์เวย์',
+ 'lang_Polish' => 'โปแลนด์',
+ 'lang_Spanish' => 'สเปน',
+ 'lang_Spanish - Spain' => 'สเปน - สเปน',
+ 'lang_Swedish' => 'สวีเดน',
+ 'lang_Albanian' => 'แอลเบเนีย',
+ 'lang_Greek' => 'กรีก',
+ 'lang_English - United Kingdom' => 'อังกฤษ - สหราชอาณาจักร',
+ 'lang_Slovenian' => 'สโลเวเนีย',
+ 'lang_Finnish' => 'ฟินแลนด์',
+ 'lang_Romanian' => 'โรมาเนีย',
+ 'lang_Turkish - Turkey' => 'ตุรกี - ตุรกี',
+ 'lang_Portuguese - Brazilian' => 'โปรตุเกส - บราซิล',
+ 'lang_Portuguese - Portugal' => 'โปรตุเกส - โปรตุเกส',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'การบัญชีและกฎหมาย',
+ 'industry_Advertising' => 'การโฆษณา',
+ 'industry_Aerospace' => 'การบินและอวกาศ',
+ 'industry_Agriculture' => 'การเกษตร',
+ 'industry_Automotive' => 'ยานยนต์',
+ 'industry_Banking & Finance' => 'การเงินและการธนาคาร',
+ 'industry_Biotechnology' => 'เทคโนโลยีชีวภาพ',
+ 'industry_Broadcasting' => 'วิทยุและการกระจายเสียง',
+ 'industry_Business Services' => 'บริการทางธุรกิจ',
+ 'industry_Commodities & Chemicals' => 'สินค้าโภคภัณฑ์และเคมีภัณฑ์',
+ 'industry_Communications' => 'คมนาคม',
+ 'industry_Computers & Hightech' => 'คอมพิวเตอร์และเทคโนโลยี',
+ 'industry_Defense' => 'การป้องกันทางทหาร',
+ 'industry_Energy' => 'พลังงาน',
+ 'industry_Entertainment' => 'บันเทิง',
+ 'industry_Government' => 'ราชการ',
+ 'industry_Healthcare & Life Sciences' => 'สุขภาพและวิทยาศาสตร์เพื่อชีวิต',
+ 'industry_Insurance' => 'ประกันภัย',
+ 'industry_Manufacturing' => 'การผลิต',
+ 'industry_Marketing' => 'การตลาด',
+ 'industry_Media' => 'สื่อ',
+ 'industry_Nonprofit & Higher Ed' => 'องค์กรที่ไม่แสวงหากำไรและอุดมศึกษา',
+ 'industry_Pharmaceuticals' => 'ยาและเวชภัณฑ์',
+ 'industry_Professional Services & Consulting' => 'บริการและที่ปรึกษาทางวิชาชีพ',
+ 'industry_Real Estate' => 'อสังหาริมทรัพย์',
+ 'industry_Retail & Wholesale' => 'ค้าปลีกค้าส่ง',
+ 'industry_Sports' => 'กีฬา',
+ 'industry_Transportation' => 'การขนส่ง',
+ 'industry_Travel & Luxury' => 'การท่องเที่ยวและความบันเทิง',
+ 'industry_Other' => 'อื่นๆ',
+ 'industry_Photography' =>'ภาพถ่าย',
+
+ 'view_client_portal' => 'ดูพอร์ทัลลูกค้า',
+ 'view_portal' => 'ดูพอร์ทัล',
+ 'vendor_contacts' => 'รายชื่อผู้ขาย',
+ 'all' => 'ทั้งหมด',
+ 'selected' => 'เลือกแล้ว',
+ 'category' => 'แคตตาล็อก',
+ 'categories' => 'หมวดหมู่',
+ 'new_expense_category' => 'หมวดค่าใช้จ่ายใหม่',
+ 'edit_category' => 'แก้ไขหมวดหมู่',
+ 'archive_expense_category' => 'จัดเก็บหมวดหมู่',
+ 'expense_categories' => 'หมวดค่าใช้จ่าย',
+ 'list_expense_categories' => 'รายการหมวดค่าใช้จ่าย',
+ 'updated_expense_category' => 'อัปเดตหมวดค่าใช้จ่ายเรียบร้อยแล้ว',
+ 'created_expense_category' => 'สร้างหมวดหมู่ค่าใช้จ่ายเรียบร้อยแล้ว',
+ 'archived_expense_category' => 'หมวดหมู่ค่าใช้จ่ายที่เก็บสำเร็จแล้ว',
+ 'archived_expense_categories' => 'จัดเก็บเรียบร้อยแล้ว :count หมวดค่าใช้จ่าย',
+ 'restore_expense_category' => 'คืนค่าหมวดหมู่ค่าใช้จ่าย',
+ 'restored_expense_category' => 'กู้คืนหมวดหมู่ค่าใช้จ่ายเรียบร้อยแล้ว',
+ 'apply_taxes' => 'ใช้ภาษี',
+ 'min_to_max_users' => ':min ไป :max ผู้ใช้',
+ 'max_users_reached' => 'มีผู้ใช้ถึงจำนวนสูงสุดแล้ว',
+ 'buy_now_buttons' => 'ปุ่มซื้อเดี๋ยวนี้',
+ 'landing_page' => 'หน้า Landing Page',
+ 'payment_type' => 'ประเภทการชำระเงิน',
+ 'form' => 'ฟอร์ม',
+ 'link' => 'ลิงค์',
+ 'fields' => 'ฟิลด์',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'หมายเหตุ: ลูกค้าและใบแจ้งหนี้จะถูกสร้างขึ้นแม้ว่าการทำธุรกรรมจะยังไม่สมบูรณ์ก็ตาม',
+ 'buy_now_buttons_disabled' => 'คุณลักษณะนี้ต้องการให้สร้างผลิตภัณฑ์และมีการกำหนดค่าเกตเวย์การชำระเงิน',
+ 'enable_buy_now_buttons_help' => 'เปิดใช้การสนับสนุนสำหรับปุ่มซื้อเดี๋ยวนี้',
+ 'changes_take_effect_immediately' => 'หมายเหตุ: การเปลี่ยนแปลงมีผลทันที',
+ 'wepay_account_description' => 'เกตเวย์การชำระเงินสำหรับ Invoice Ninja',
+ 'payment_error_code' => 'เกิดข้อผิดพลาดในการประมวลผลการชำระเงินของคุณ [: code] กรุณาลองใหม่อีกครั้งในภายหลัง.',
+ 'standard_fees_apply' => 'ค่าธรรมเนียม: 2.9% / 1.2% [Credit Card / Bank Transfer] + $ 0.30 ต่อครั้งสำหรับการเรียกเก็บเงินที่ประสบความสำเร็จ',
+ 'limit_import_rows' => 'ต้องนำเข้าข้อมูลเป็นชุด :count หรือน้อยกว่า',
+ 'error_title' => 'บางอย่างผิดพลาด',
+ 'error_contact_text' => 'หากคุณต้องการความช่วยเหลือโปรดส่งอีเมลถึงเราที่ :mailaddress',
+ 'no_undo' => 'คำเตือน: ไม่สามารถยกเลิกได้',
+ 'no_contact_selected' => 'โปรดเลือกผู้ติดต่อ',
+ 'no_client_selected' => 'โปรดเลือกลูกค้า',
+
+ 'gateway_config_error' => 'อาจช่วยในการตั้งรหัสผ่านใหม่หรือสร้างคีย์ API ใหม่',
+ 'payment_type_on_file' => ':type ในไฟล์',
+ 'invoice_for_client' => 'ใบแจ้งหนี้ :invoice สำหรับ :client',
+ 'intent_not_found' => 'ขออภัยฉันไม่แน่ใจว่าคุณต้องการอะไร',
+ 'intent_not_supported' => 'ขออภัยฉันไม่สามารถทำเช่นนั้นได้',
+ 'client_not_found' => 'ฉันไม่สามารถหาลูกค้าได้',
+ 'not_allowed' => 'ขออภัยคุณไม่มีสิทธิ์',
+ 'bot_emailed_invoice' => 'ส่งใบแจ้งหนี้ของคุณแล้ว',
+ 'bot_emailed_notify_viewed' => 'ฉันจะส่งอีเมลถึงคุณเมื่อมีการดู',
+ 'bot_emailed_notify_paid' => 'ฉันจะส่งอีเมลถึงคุณเมื่อมีการชำระเงิน',
+ 'add_product_to_invoice' => 'Add1 :product',
+ 'not_authorized' => 'คุณไม่ได้รับอนุญาต',
+ '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_code' => 'ขอบคุณ! ฉันส่งอีเมลพร้อมรหัสรักษาความปลอดภัยของคุณมาให้',
+ 'bot_welcome' => 'บัญชีของคุณได้รับการยืนยันแล้ว.
',
+ 'email_not_found' => 'ฉันไม่พบบัญชีที่พร้อมใช้งานสำหรับ :email',
+ 'invalid_code' => 'รหัสไม่ถูกต้อง',
+ 'security_code_email_subject' => 'รหัสรักษาความปลอดภัยสำหรับ Invoice Ninja Bot',
+ 'security_code_email_line1' => 'นี่เป็นรหัสรักษาความปลอดภัยของ Bot Invoice Ninja ของคุณ',
+ 'security_code_email_line2' => 'หมายเหตุ: จะหมดอายุภายใน 10 นาที',
+ 'bot_help_message' => 'ฉันสนับสนุน:
.สร้าง \ อัปเดท\ อีเมล์ ใบแจ้งหนี้
.แสดงสินค้า
ตัวอย่างเช่น:
ใบแจ้งหนี้ 2 ใบกำหนดวันครบกำหนดถึงวันพฤหัสบดีถัดไปและส่วนลด 10%',
+ 'list_products' => 'แสดงสินค้า',
+
+ 'include_item_taxes_inline' => 'รวมถึง รายการภาษีในบรรทัดรวม',
+ 'created_quotes' => 'สร้างเรียบร้อย :count ใบเสนอราคา(s)',
+ 'limited_gateways' => 'หมายเหตุ: เราสนับสนุนเกตเวย์บัตรเครดิตหนึ่งใบต่อ บริษัท',
+
+ 'warning' => 'คำเตือน',
+ 'self-update' => 'ปรับปรุง',
+ 'update_invoiceninja_title' => 'อัปเดท Invoice Ninja',
+ 'update_invoiceninja_warning' => 'ก่อนที่จะเริ่มต้นการอัพเกรด Invoice Ninja กรุณาสำรองฐานข้อมูลและไฟล์ของคุณ!',
+ 'update_invoiceninja_available' => 'มีเวอร์ชันใหม่ของ Invoice Ninja ให้ใช้งาน',
+ 'update_invoiceninja_unavailable' => 'ไม่มีเวอร์ชันใหม่ของ Invoice Ninja available.',
+ 'update_invoiceninja_instructions' => 'โปรดติดตั้งเวอร์ชันใหม่ :versionโดยการคลิกที่ Update nowด้านล่าง หลังจากนั้นคุณจะถูกเปลี่ยนเส้นทางไปยังแดชบอร์ด.',
+ 'update_invoiceninja_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'ดาวน์โหลด :version',
+ 'create_new' => 'สร้างใหม่',
+
+ 'toggle_navigation' => 'สลับการนำทาง',
+ 'toggle_history' => 'สลับประวัติ',
+ 'unassigned' => 'ยังไม่ได้มอบหมาย',
+ 'task' => 'งาน',
+ 'contact_name' => 'ชื่อผู้ติดต่อ',
+ 'city_state_postal' => 'เมือง / รัฐ / ไปรษณีย์',
+ 'custom_field' => 'ฟิลด์ที่กำหนดเอง',
+ 'account_fields' => 'ฟิลด์บริษัท',
+ 'facebook_and_twitter' => 'Facebook และ Twitter',
+ 'facebook_and_twitter_help' => 'ติดตามฟีดของเราเพื่อช่วยสนับสนุนโครงการของเรา',
+ 'reseller_text' => 'หมายเหตุ: ใบอนุญาต white-label มีไว้สำหรับการใช้งานส่วนบุคคลโปรดส่งอีเมลถึงเราที่ :email หากต้องการขายโปรแกรมนี้',
+ 'unnamed_client' => 'ลูกค้าไม่มีชื่อ',
+
+ 'day' => 'วัน',
+ 'week' => 'สัปดาห์',
+ 'month' => 'เดือน',
+ 'inactive_logout' => 'คุณได้ออกจากระบบเนื่องจากไม่มีการใช้งาน',
+ 'reports' => 'รายงาน',
+ 'total_profit' => 'ผลกำไรทั้งหมด',
+ 'total_expenses' => 'ค่าใช้จ่ายรวมทั้งหมด',
+ 'quote_to' => 'ใบเสนอราคาไปยัง',
+
+ // Limits
+ 'limit' => 'จำกัด',
+ 'min_limit' => 'ต่ำสุด :min',
+ 'max_limit' => 'สูงสุด :max',
+ 'no_limit' => 'ไม่จำกัด',
+ 'set_limits' => 'Set : gateway_type จำกัด',
+ 'enable_min' => 'เปิดใช้ค่าต่ำสุด',
+ 'enable_max' => 'เปิดใช้ค่าสูงสุด',
+ 'min' => 'น้อย',
+ 'max' => 'มาก',
+ 'limits_not_met' => 'ใบแจ้งหนี้นี้ไม่ตรงกับประเภทการชำระเงิน',
+
+ 'date_range' => 'ช่วงวันที่',
+ 'raw' => 'ข้อมูลดิบ',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'อัปเดต',
+ 'invoice_fields_help' => 'ลากและวางฟิลด์เพื่อเปลี่ยนลำดับและตำแหน่ง',
+ 'new_category' => 'หมวดหมู่ใหม่',
+ 'restore_product' => 'กู้คืนสินค้า',
+ 'blank' => 'ว่าง',
+ 'invoice_save_error' => 'มีข้อผิดพลาดในการบันทึกใบแจ้งหนี้ของคุณ',
+ 'enable_recurring' => 'เปิดใช้งานประจำ',
+ 'disable_recurring' => 'ปิดการใช้งานประจำ',
+ 'text' => 'ตัวอักษร',
+ 'expense_will_create' => 'ค่าใช้จ่ายถูกสร้างขึ้น',
+ 'expenses_will_create' => 'ค่าใช้จ่ายถูกสร้างขึ้น',
+ 'created_expenses' => 'สร้างเรียบร้อย :count ใบแจ้งหนี้(s)',
+
+ 'translate_app' => 'ช่วยปรับปรุงการแปลของเราด้วย :link',
+ 'expense_category' => 'หมวดค่าใช้จ่าย',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'อัพเกรดเพื่อเพิ่มคุณสมบัติเพิ่มเติม',
+ 'pay_annually_discount' => 'จ่ายรายปีเป็นเวลา 10 เดือน + ฟรี 2 เดือน',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'ปรับแต่งทุกด้านในใบแจ้งหนี้ของคุณ!',
+ 'enterprise_upgrade_feature1' => 'ตั้งค่าสิทธิ์สำหรับผู้ใช้หลายคน',
+ 'enterprise_upgrade_feature2' => 'แนบไฟล์ 3rd Party เข้ากับใบแจ้งหนี้และค่าใช้จ่าย',
+ 'much_more' => 'และอื่น ๆ มากมาย',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'สัญลักษณ์',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'ซื้อไลเซนต์',
+ 'apply_license' => 'สมัครไลเซนต์',
+ 'submit' => 'ยอมรับ',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'ใบอนุญาต White label ไม่ถูกต้อง',
+ 'created_by' => 'สร้างโดย :name',
+ 'modules' => 'โมดูล',
+ 'financial_year_start' => 'เดือนแรกของปี',
+ 'authentication' => 'การรับรอง',
+ 'checkbox' => 'ช่องทำเครื่องหมาย',
+ 'invoice_signature' => 'ลายเซ็น',
+ 'show_accept_invoice_terms' => 'Checkbox เงื่อนไขในใบแจ้งหนี้',
+ 'show_accept_invoice_terms_help' => 'กำหนดให้ลูกค้ายืนยันว่ายอมรับข้อกำหนดในใบแจ้งหนี้',
+ 'show_accept_quote_terms' => 'Checkbox เงื่อนไขใบเสนอราคา',
+ 'show_accept_quote_terms_help' => 'กำหนดให้ลูกค้ายืนยันว่ายอมรับเงื่อนไขการเสนอราคา',
+ 'require_invoice_signature' => 'ลายเซ็นของใบแจ้งหนี้',
+ 'require_invoice_signature_help' => 'กำหนดให้ลูกค้าจัดหาลายเซ็น',
+ 'require_quote_signature' => 'ลายมือชื่อใบเสนอราคา',
+ 'require_quote_signature_help' => 'กำหนดให้ลูกค้าจัดหาลายเซ็น',
+ 'i_agree' => 'ฉันยอมรับข้อเงื่อนไขข้อกำหนด',
+ 'sign_here' => 'โปรดเซ็นชื่อที่นี่:',
+ 'authorization' => 'การอนุญาต',
+ 'signed' => 'ลงนาม',
+
+ // BlueVine
+ 'bluevine_promo' => 'เพิ่มความคล่องตัวในการทำธุรกิจเครดิตและแฟ็กทีฟแฟคตอริ่งโดยใช้ BlueVine',
+ 'bluevine_modal_label' => 'ลงทะเบียนกับ BlueVine',
+ 'bluevine_modal_text' => 'การระดมทุนอย่างรวดเร็วสำหรับธุรกิจของคุณ ไม่ต้องมีเอกสาร
+- สายธุรกิจที่ยืดหยุ่นของสินเชื่อและแฟ็กเรียลแฟกเตอริ่ง
',
+ 'bluevine_create_account' => 'สร้างบัญชี',
+ 'quote_types' => 'รับใบเสนอราคาสำหรับ',
+ 'invoice_factoring' => 'Invoice factoring',
+ 'line_of_credit' => 'วงเงิน',
+ 'fico_score' => 'คะแนน FICO ของคุณ',
+ 'business_inception' => 'วันที่จดทะเบียนกองทุน',
+ 'average_bank_balance' => 'ยอดคงเหลือในบัญชีธนาคารโดยเฉลี่ย',
+ 'annual_revenue' => 'รายได้ประจำปี',
+ 'desired_credit_limit_factoring' => 'วงเงินแฟคเตอริ่งที่ต้องการ',
+ 'desired_credit_limit_loc' => 'วงเงินเครดิตสูงสุดที่ต้องการ',
+ 'desired_credit_limit' => 'วงเงินเครดิตที่ต้องการ',
+ 'bluevine_credit_line_type_required' => 'คุณต้องเลือกอย่างน้อยหนึ่งอย่าง',
+ 'bluevine_field_required' => 'ต้องระบุข้อมูลนี้',
+ 'bluevine_unexpected_error' => 'เกิดความผิดพลาดอย่างไม่ได้คาดคิด.',
+ 'bluevine_no_conditional_offer' => 'ต้องการข้อมูลเพิ่มเติมก่อนรับใบเสนอราคา คลิกดำเนินการต่อด้านล่าง.',
+ 'bluevine_invoice_factoring' => 'Invoice Factoring',
+ 'bluevine_conditional_offer' => 'ข้อเสนอที่มีเงื่อนไข',
+ 'bluevine_credit_line_amount' => 'วงเงิน',
+ 'bluevine_advance_rate' => 'อัตราค่าบริการล่วงหน้า',
+ 'bluevine_weekly_discount_rate' => 'อัตราส่วนลดรายสัปดาห์',
+ 'bluevine_minimum_fee_rate' => 'ค่าธรรมเนียมขั้นต่ำ',
+ 'bluevine_line_of_credit' => 'วงเงินสูงสุด',
+ 'bluevine_interest_rate' => 'อัตราดอกเบี้ย',
+ 'bluevine_weekly_draw_rate' => 'Weekly Draw Rate',
+ 'bluevine_continue' => 'ไปที่ BlueVine',
+ 'bluevine_completed' => 'สมัคร BlueVine เรียบร้อยแล้ว',
+
+ 'vendor_name' => 'ผู้ขาย',
+ 'entity_state' => 'สถานะ',
+ 'client_created_at' => 'วันที่สร้าง',
+ 'postmark_error' => 'เกิดปัญหาในการส่งอีเมลผ่าน Postmark: :link',
+ 'project' => 'โครงการ',
+ 'projects' => 'โครงการ',
+ 'new_project' => 'โครงการใหม่',
+ 'edit_project' => 'แก้ไขโครงการ',
+ 'archive_project' => 'เก็บบันทึกโครงการ',
+ 'list_projects' => 'แสดงรายการโครงการ',
+ 'updated_project' => 'อัปเดตโครงการสำเร็จ',
+ 'created_project' => 'สร้างโครงการสำเร็จ',
+ 'archived_project' => 'เก็บบันทึกโครงการสำเร็จ',
+ 'archived_projects' => 'เก็บบันทึก :count โครงการ',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'กู้คืนโครงการสำเร็จ',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'ลบโครงการสำเร็จ',
+ 'deleted_projects' => 'ลบโครงการ :count โครงการ',
+ 'delete_expense_category' => 'ลบหมวดหมู่',
+ 'deleted_expense_category' => 'นำออกหมวดหมู่เรียบร้อยแล้ว',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'ลบสินค้าแล้ว',
+ 'deleted_products' => 'ลบสินค้า :count สินค้า',
+ 'restored_product' => 'กู้คืนสินค้าแล้ว',
+ 'update_credit' => 'อัปเดตเครดิต',
+ 'updated_credit' => 'อัปเดตเครดิตแล้ว',
+ 'edit_credit' => 'แก้ไขเครดิต',
+ 'live_preview_help' => 'แสดงตัวอย่าง PDF แบบสดบนหน้าใบแจ้งหนี้
ปิดการใช้งานนี้เพื่อปรับปรุงประสิทธิภาพเมื่อแก้ไขใบแจ้งหนี้.',
+ 'force_pdfjs_help' => 'แทนที่โปรแกรมอ่าน PDF ในตัวใน :chrome_link และ :firefox_link.
เปิดใช้งานหากเบราว์เซอร์ของคุณดาวน์โหลดไฟล์ PDF โดยอัตโนมัติ',
+ 'force_pdfjs' => 'ป้องการการดาวน์โหลด',
+ 'redirect_url' => 'เปลี่ยนเส้นทาง URL',
+ 'redirect_url_help' => 'ระบุ URL ที่จะเปลี่ยนเส้นทางไปยังหลังจากที่ป้อนการชำระเงิน',
+ 'save_draft' => 'บันทึกร่าง',
+ 'refunded_credit_payment' => 'การชำระคืนเงินคืน',
+ 'keyboard_shortcuts' => 'แป้นพิมพ์ลัด',
+ 'toggle_menu' => 'สลับเมนู',
+ 'new_...' => 'ใหม่...',
+ 'list_...' => 'รายละเอียด ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'ติดต่อเรา',
+ 'user_guide' => 'คู่มือผู้ใช้',
+ 'promo_message' => 'อัปเกรดก่อน :expire และรับ :amount ปีแรกของแพ็คเกจ Pro หรือ Enterprise',
+ 'discount_message' => ':amount หมดอายุ :expires',
+ 'mark_paid' => 'ทำเครื่องว่าจ่ายเงินแล้ว',
+ 'marked_sent_invoice' => 'ทำเครื่องหมายใบแจ้งหนี้ที่ส่งเรียบร้อยแล้ว',
+ 'marked_sent_invoices' => 'ทำเครื่องหมายใบแจ้งหนี้ที่ส่งเรียบร้อยแล้ว',
+ 'invoice_name' => 'ใบแจ้งหนี้',
+ 'product_will_create' => 'สินค้าถูกสร้างขึ้น',
+ 'contact_us_response' => 'ขอบคุณสำหรับข้อความ! เราจะพยายามตอบกลับโดยเร็วที่สุด',
+ 'last_7_days' => '7 วันล่าสุด',
+ 'last_30_days' => '30 วันล่าสุด',
+ 'this_month' => 'เดือนนี้',
+ 'last_month' => 'เดือนล่าสุด',
+ 'last_year' => 'ปีล่าสุด',
+ 'custom_range' => 'ระบุช่วง',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'ต้องการ',
+ 'license_expiring' => 'หมายเหตุ: ใบอนุญาตของคุณจะหมดอายุลงใน :count วัน, :link เพื่อต่ออายุ',
+ 'security_confirmation' => 'ที่อยู่อีเมลของคุณได้รับการยืนยัน',
+ 'white_label_expired' => 'ใบอนุญาต White label ของคุณหมดอายุแล้วโปรดพิจารณาต่ออายุใบอนุญาตเพื่อช่วยสนับสนุนโครงการของเรา',
+ 'renew_license' => 'ต่ออายุไลเซน',
+ 'iphone_app_message' => 'ลองดาวน์โหลดเรา :link',
+ 'iphone_app' => 'ไอโฟน app',
+ 'android_app' => 'แอนดรอย app',
+ 'logged_in' => 'เข้าสู่ระบบ',
+ 'switch_to_primary' => 'เปลี่ยนไปใช้บริษัทหลักของคุณ (:name) เพื่อจัดการแผนของคุณ',
+ 'inclusive' => 'รวมทั้ง',
+ 'exclusive' => 'พิเศษ',
+ 'postal_city_state' => 'ไปรษณีย์ / เมือง / รัฐ',
+ 'phantomjs_help' => 'ในบางกรณีแอปจะใช้: link_phantom เพื่อสร้างไฟล์ PDF ติดตั้ง: link_docs เพื่อสร้างไฟล์ในเครื่อง',
+ 'phantomjs_local' => 'ใช้โปรแกรม PhantomJS ในเครื่อง',
+ 'client_number' => 'หมายเลขลูกค้า',
+ 'client_number_help' => 'ระบุคำนำหน้าหรือใช้รูปแบบที่กำหนดเองเพื่อตั้งค่าหมายเลขลูกค้าแบบไดนามิก',
+ 'next_client_number' => 'หมายเลขลูกค้ารายถัดไปคือ :number',
+ 'generated_numbers' => 'ตัวเลขที่สร้างขึ้น',
+ 'notes_reminder1' => 'คำเตือนครั้งแรก',
+ 'notes_reminder2' => 'คำเตือนครั้งที่สอง',
+ 'notes_reminder3' => 'คำเตือนที่สาม',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'ใบเสนอราคาภาษี',
+ 'tax_invoice' => 'ใบแจ้งหนี้ภาษี',
+ 'emailed_invoices' => 'ส่งอีเมลใบแจ้งหนี้เรียบร้อยแล้ว',
+ 'emailed_quotes' => 'ส่งอีเมลใบเสนอราคาเรียบร้อยแล้ว',
+ 'website_url' => 'เว็บไซด์ URL',
+ 'domain' => 'โดเมน',
+ 'domain_help' => 'ใช้ในพอร์ทัลลูกค้าและเมื่อส่งอีเมล',
+ 'domain_help_website' => 'ใช้เมื่อส่งอีเมล',
+ 'preview' => 'ดูตัวอย่าง',
+ 'import_invoices' => 'นำเข้าใบแจ้งหนี้',
+ 'new_report' => 'รายงานใหม่',
+ 'edit_report' => 'แก้ไขรายงาน',
+ 'columns' => 'คอลัม',
+ 'filters' => 'ฟิลเตอร์',
+ 'sort_by' => 'เรียงตาม',
+ 'draft' => 'ดราฟ',
+ 'unpaid' => 'ยังไม่จ่าย',
+ 'aging' => 'อายุลูกหนี้',
+ 'age' => 'อายุ',
+ 'days' => 'วัน',
+ 'age_group_0' => '0 - 30 วัน',
+ 'age_group_30' => '30 - 60 วัน',
+ 'age_group_60' => '60 - 90 วัน',
+ 'age_group_90' => '90 - 120 วัน',
+ 'age_group_120' => '120+ วัน',
+ 'invoice_details' => 'รายละเอียดใบแจ้งหนี้',
+ 'qty' => 'จำนวน',
+ 'profit_and_loss' => 'กำไรและขาดทุน',
+ 'revenue' => 'รายได้',
+ 'profit' => 'กำไร',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'จัดกลุ่มตามวันที่',
+ 'year' => 'ปี',
+ 'view_statement' => 'ดูรายงาน',
+ 'statement' => 'รายงาน',
+ 'statement_date' => 'วัน รายงาน',
+ 'mark_active' => 'ทำเครื่องหมายว่าใช้งานอยู่',
+ 'send_automatically' => 'ส่งโดยอัตโนมัติ',
+ 'initial_email' => 'อีเมลเริ่มต้น',
+ 'invoice_not_emailed' => 'ยังไม่ได้ส่งใบแจ้งหนี้นี้ทางอีเมล',
+ 'quote_not_emailed' => 'ใบเสนอราคานี้ยังไม่ได้ส่งทางอีเมล',
+ 'sent_by' => 'ส่งโดย :user',
+ 'recipients' => 'ผู้รับ',
+ 'save_as_default' => 'บันทึกเป็นค่าเริ่มต้น',
+ 'template' => 'แบบ',
+ 'start_of_week_help' => 'ใช้โดย วันที่ถูกเลือก',
+ 'financial_year_start_help' => 'ใช้โดย ช่วงวันที่ถูกเลือก',
+ 'reports_help' => 'Shift + Click to sort by multiple columns, Ctrl + Click to clear the grouping.',
+ 'this_year' => 'ปีนี้',
+
+ // Updated login screen
+ 'ninja_tagline' => 'สร้าง. ส่ง. รับเงิน',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'สมัครตอนนี้เลย',
+ 'not_a_member_yet' => 'ยังไม่เป็นสมาชิก',
+ 'login_create_an_account' => 'สร้างบัญชี!',
+ 'client_login' => 'เข้าสู่ระบบลูกค้า',
+
+ // New Client Portal styling
+ 'invoice_from' => 'ใบแจ้งหนี้จาก:',
+ 'email_alias_message' => 'เราต้องการให้ บริษัท แต่ละแห่งมีที่อยู่อีเมลที่ไม่ซ้ำกัน.
พิจารณาใช้นามแฝง เช่น email+label@example.com',
+ 'full_name' => 'ชื่อเต็ม',
+ 'month_year' => 'เดือน/ปี',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'ข้อมูลสินค้า',
+ 'custom_product_fields_help' => 'เพิ่มฟิลด์เมื่อสร้างใบเสนอราคาหรือใบแจ้งหนี้และแสดงฉลากและมูลค่าใน PDF',
+ 'freq_two_months' => '2 เดือน',
+ 'freq_yearly' => 'ประจำปี',
+ 'profile' => 'ข้อมูลส่วนตัว',
+ 'payment_type_help' => 'ตั้งค่าเริ่มต้น ประเภทการชำระเงินด้วยตนเอง.',
+ 'industry_Construction' => 'การสร้าง',
+ 'your_statement' => 'Statement ของคุณ',
+ 'statement_issued_to' => 'Statement ออกให้',
+ 'statement_to' => 'Statement ไปยัง',
+ 'customize_options' => 'กำหนดค่าตัวเลือก',
+ 'created_payment_term' => 'สร้างเงื่อนไขการชำระเงินเรียบร้อยแล้ว',
+ 'updated_payment_term' => 'อัปเดตเงื่อนไขการชำระเงินเรียบร้อยแล้ว',
+ 'archived_payment_term' => 'เก็บบันทึกระยะเวลาการชำระเงินเรียบร้อยแล้ว',
+ 'resend_invite' => 'ส่งคำเชิญอีกครั้ง',
+ 'credit_created_by' => 'เครดิตที่สร้างโดยการชำระเงิน :transaction_reference',
+ 'created_payment_and_credit' => 'สร้างการชำระเงินและเครดิตเรียบร้อยแล้ว',
+ 'created_payment_and_credit_emailed_client' => 'สร้างการชำระเงินและเครดิตและส่งอีเมลเรียบร้อยแล้ว',
+ 'create_project' => 'สร้างโครงการ',
+ 'create_vendor' => 'สร้างผู้ขาย',
+ 'create_expense_category' => 'สร้างหมวดหมู่',
+ 'pro_plan_reports' => ':link เพื่อเปิดใช้รายงานโดยเข้าร่วม Pro Plan',
+ 'mark_ready' => 'ทำเครื่องหมายเรียบร้อย',
+
+ 'limits' => 'จำกัด',
+ 'fees' => 'ค่าธรรมเนียม',
+ 'fee' => 'ค่าธรรมเนียม',
+ 'set_limits_fees' => 'Set :gateway_type จำกัด / ค่าธรรมเนียม',
+ 'fees_tax_help' => 'เปิดใช้รายการภาษีเพื่อกำหนดอัตราภาษีค่าธรรมเนียม',
+ 'fees_sample' => 'ค่าธรรมเนียมสำหรับ :amount ใบแจ้งหนี้จะเป็น :total.',
+ 'discount_sample' => 'ส่วนลดสำหรับ :amount ใบแจ้งหนี้จะเป็น :total.',
+ 'no_fees' => 'ไม่มีค่าธรรมเนียม',
+ 'gateway_fees_disclaimer' => 'คำเตือน: ไม่ใช่ทุกรัฐ / เกตเวย์การชำระเงินอนุญาตให้มีการเพิ่มค่าธรรมเนียมโปรดทบทวนกฎหมายท้องถิ่น / ข้อกำหนดในการให้บริการ',
+ 'percent' => 'เปอร์เซนต์',
+ 'location' => 'ตำแหน่ง',
+ 'line_item' => 'รายการ',
+ 'surcharge' => 'คิดค่าใช้จ่าย',
+ 'location_first_surcharge' => 'เปิดใช้งาน - คิดค่าบริการครั้งแรก',
+ 'location_second_surcharge' => 'เปิดใช้งาน - คิดค่าธรรมเนียมครั้งที่สอง',
+ 'location_line_item' => 'เปิดใช้งาน - รายการ',
+ 'online_payment_surcharge' => 'ชำระเงินออนไลน์',
+ 'gateway_fees' => 'ค่าธรรมเนียมการชำระเงิน',
+ 'fees_disabled' => 'ปิดใช้ค่าธรรมเนียม',
+ 'gateway_fees_help' => 'เพิ่มส่วนลด / ส่วนลดการชำระเงินออนไลน์โดยอัตโนมัติ',
+ 'gateway' => 'เกตเวย์',
+ 'gateway_fee_change_warning' => 'หากมีใบแจ้งหนี้ค้างชำระพร้อมค่าธรรมเนียมพวกเขาจะต้องได้รับการอัปเดตด้วยตนเอง',
+ 'fees_surcharge_help' => 'กำหนดค่าบริการเพิ่มเติม :link.',
+ 'label_and_taxes' => 'ฉลากและภาษี',
+ 'billable' => 'ที่เรียกเก็บเงิน',
+ 'logo_warning_too_large' => 'ไฟล์รูปภาพมีขนาดใหญ่เกินไป',
+ 'logo_warning_fileinfo' => 'คำเตือน: ในการสนับสนุน gifs จำเป็นต้องเปิดใช้ส่วนขยายของไฟล์ info PHP',
+ 'logo_warning_invalid' => 'เกิดปัญหาในการอ่านไฟล์รูปภาพกรุณาลองใช้รูปแบบอื่น',
+
+ 'error_refresh_page' => 'เกิดข้อผิดพลาดขึ้นโปรดรีเฟรชหน้าเว็บและลองอีกครั้ง',
+ 'data' => 'ข้อมูล',
+ 'imported_settings' => 'การตั้งค่าการนำเข้าสำเร็จ',
+ 'reset_counter' => 'รีเซ็ตตัวนับ',
+ 'next_reset' => 'รีเซ็ตครั้งต่อไป',
+ 'reset_counter_help' => 'รีเซ็ตเคาน์เตอร์ใบแจ้งหนี้และใบเสนอราคาโดยอัตโนมัติ',
+ 'auto_bill_failed' => 'การเรียกเก็บเงินอัตโนมัติสำหรับใบแจ้งหนี้ :invoice_number ล้มเหลว',
+ 'online_payment_discount' => 'ส่วนลดการชำระเงินออนไลน์',
+ 'created_new_company' => 'สร้างบริษัทใหม่เรียบร้อยแล้ว',
+ 'fees_disabled_for_gateway' => 'ค่าธรรมเนียมถูกปิดใช้งานสำหรับเกตเวย์นี้.',
+ 'logout_and_delete' => 'ออกจากระบบ / ลบบัญชี',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'ใช้ $pageNumber และ $pageCount เพื่อแสดงข้อมูล',
+ 'credit_note' => 'ใบลดหนี้',
+ 'credit_issued_to' => 'เครดิตที่ออกให้',
+ 'credit_to' => 'เครดิตไปที่',
+ 'your_credit' => 'เครดิตของคุณ',
+ 'credit_number' => 'หมายเลขเครดิต',
+ 'create_credit_note' => 'สร้างใบลดหนี้',
+ 'menu' => 'เมนู',
+ 'error_incorrect_gateway_ids' => 'ข้อผิดพลาด: ตารางเกตเวย์มีรหัสไม่ถูกต้อง',
+ 'purge_data' => 'ล้างข้อมูล',
+ 'delete_data' => 'ลบข้อมูล',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'ลบบัญชีทั้งหมดพร้อมกับข้อมูลและการตั้งค่าทั้งหมด',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'หวงห้าม',
+ 'purge_data_message' => 'คำเตือน: การดำเนินการนี้จะลบข้อมูลของคุณอย่างถาวรและไม่สามารถนำคืนกลับมาได้',
+ 'contact_phone' => 'โทรศัพท์ติดต่อ',
+ 'contact_email' => 'ติดต่ออีเมล์',
+ 'reply_to_email' => 'ตอบกลับอีเมล',
+ 'reply_to_email_help' => 'ระบุที่อยู่ตอบกลับสำหรับอีเมลลูกค้า',
+ 'bcc_email_help' => 'ใส่ที่อยู่นี้ด้วยอีเมลลูกค้า',
+ 'import_complete' => 'การนำเข้าของคุณเสร็จสมบูรณ์แล้ว',
+ 'confirm_account_to_import' => 'โปรดยืนยันบัญชีของคุณเพื่อนำเข้าข้อมูล',
+ 'import_started' => 'การนำเข้าของคุณได้เริ่มขึ้นแล้วเราจะส่งอีเมลถึงคุณเมื่อเสร็จสิ้น',
+ 'listening' => 'กำลังฟัง',
+ 'microphone_help' => 'พูดว่า "new invoice for [client]" หรือ "show me [client]\'s archived payments"',
+ 'voice_commands' => 'คำสั่งเสียง',
+ 'sample_commands' => 'คำสั่งตัวอย่าง',
+ 'voice_commands_feedback' => 'เรากำลังทำงานอย่างเต็มที่เพื่อปรับปรุงคุณลักษณะนี้ถ้ามีคำสั่งที่คุณต้องการให้เราสนับสนุนเพิ่มเติมโปรดส่งอีเมลถึงเราที่ :email.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'เก็บบันทึก :count สินค้า',
+ 'recommend_on' => 'เราแนะนำ เปิดการใช้งานการตั้งค่านี้',
+ 'recommend_off' => 'เราแนะนำ ปิดการใช้งานการตั้งค่านี้',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'ป้ายค่าบริการ',
+ 'contact_fields' => 'ฟิลด์ติดต่อ',
+ 'custom_contact_fields_help' => 'เพิ่มช่องเมื่อสร้างผู้ติดต่อและเลือกแสดงป้ายกำกับและค่าใน PDF.',
+ 'datatable_info' => 'กำลังแสดง :start ถึง :end ของ :total รายการ',
+ 'credit_total' => 'เครดิตทั้งหมด',
+ 'mark_billable' => 'Mark billable ',
+ 'billed' => 'การเรียกเก็บเงิน',
+ 'company_variables' => 'ตัวแปรบริษัท',
+ 'client_variables' => 'ตัวแปรผู้ใช้',
+ 'invoice_variables' => 'ตัวแปรใบแจ้งหนี้',
+ 'navigation_variables' => 'ตัวแปนการนำทาง',
+ 'custom_variables' => 'ตัวแปรการปรับแต่ง',
+ 'invalid_file' => 'ชนิดไฟล์ไม่ถูกต้อง',
+ 'add_documents_to_invoice' => 'เพิ่มเอกสารลงในใบแจ้งหนี้',
+ 'mark_expense_paid' => 'ทำเครื่องหมายว่าจ่ายแล้ว',
+ 'white_label_license_error' => 'ไม่สามารถตรวจสอบความถูกต้องของใบอนุญาตตรวจสอบพื้นที่จัดเก็บ / logs / laravel-error.log สำหรับรายละเอียดเพิ่มเติม',
+ 'plan_price' => 'ราคา Plan',
+ 'wrong_confirmation' => 'รหัสยืนยันไม่ถูกต้อง',
+ 'oauth_taken' => 'มีการลงทะเบียนบัญชีแล้ว',
+ 'emailed_payment' => 'ส่งอีเมลเรียบร้อยแล้ว',
+ 'email_payment' => 'การชำระเงินทางอีเมล',
+ 'invoiceplane_import' => 'ใช้ :link เพื่อย้ายข้อมูลของคุณจาก InvoicePlane',
+ 'duplicate_expense_warning' => 'คำเตือน: :link นี้อาจซ้ำซ้อน',
+ 'expense_link' => 'ค่าใช้จ่าย',
+ 'resume_task' => 'ทำงานต่อ',
+ 'resumed_task' => 'ทำงานต่อสำเร็จ',
+ 'quote_design' => 'ออกแบบใบเสนอราคา',
+ 'default_design' => 'การออกแบบมาตรฐาน',
+ 'custom_design1' => 'ปรับแต่งการออกแบบ 1',
+ 'custom_design2' => 'ปรับแต่งการออกแบบ 2',
+ 'custom_design3' => 'ปรับแต่งการออกแบบ 3',
+ 'empty' => 'ว่าง',
+ 'load_design' => 'โหลดการออกแบบ',
+ 'accepted_card_logos' => 'ยอมรับโลโก้ของบัตร',
+ 'phantomjs_local_and_cloud' => 'ใช้ PhantomJS ใน localhost กลับไปที่ phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'ติดตามการชำระเงินโดยใช้ :link',
+ 'start_date_required' => 'ต้องระบุวันที่เริ่มต้น',
+ 'application_settings' => 'การตั้งค่าโปรแกรม',
+ 'database_connection' => 'การเชื่อมต่อดาต้าเบส',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'ทดสอบการเชื่อมต่อ',
+ 'from_name' => 'จากชื่อ',
+ 'from_address' => 'จากที่อยู่',
+ 'port' => 'Port',
+ 'encryption' => 'การเข้ารหัส',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'ส่งอีเมล์ทดสอบ',
+ 'select_label' => 'เลือกป้ายกำกับ',
+ 'label' => 'ป้ายกำกับ',
+ 'service' => 'การบริการ',
+ 'update_payment_details' => 'อัปเดตรายละเอียดการชำระเงิน',
+ 'updated_payment_details' => 'อัปเดตรายละเอียดการชำระเงินสำเร็จแล้ว',
+ 'update_credit_card' => 'อัปเดตบัตรเครดิต',
+ 'recurring_expenses' => 'ค่าใช้จ่ายที่เกิดขึ้นประจำ',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'ค่าใช้จ่ายที่เกิดซ้ำใหม่',
+ 'edit_recurring_expense' => 'แก้ไขค่าใช้จ่ายที่เกิดประจำ',
+ 'archive_recurring_expense' => 'เก็บข้อมูลค่าใช้จ่ายที่เกิดขึ้นประจำ',
+ 'list_recurring_expense' => 'เรียกรายการค่าใช้จ่ายที่เกิดขึ้นประจำ',
+ 'updated_recurring_expense' => 'อัปเดตค่าใช้จ่ายที่เกิดขึ้นประจำแล้ว',
+ 'created_recurring_expense' => 'สร้างค่าใช้จ่ายที่เกิดขึ้นประจำแล้ว',
+ 'archived_recurring_expense' => 'เก็บข้อมูลค่าใช้จ่ายที่เกิดขึ้นประจำ',
+ 'archived_recurring_expense' => 'เก็บข้อมูลค่าใช้จ่ายที่เกิดขึ้นประจำ',
+ 'restore_recurring_expense' => 'เรียกคืนค่าใช้จ่ายที่เกิดประจำ',
+ 'restored_recurring_expense' => 'กู้คืนค่าใช้จ่ายที่เกิดขึ้นแล้ว',
+ 'delete_recurring_expense' => 'ลบค่าใช้จ่ายที่เกิดประจำ',
+ 'deleted_recurring_expense' => 'ลบโครงการเรียบร้อยแล้ว',
+ 'deleted_recurring_expense' => 'ลบโครงการเรียบร้อยแล้ว',
+ 'view_recurring_expense' => 'ดูค่าใช้จ่ายที่เกิดขึ้นประจำ',
+ 'taxes_and_fees' => 'ภาษีและค่าธรรมเนียม',
+ 'import_failed' => 'การนำเข้าล้มเหลว',
+ 'recurring_prefix' => 'คำนำหน้า ที่เกิดขึ้นประจำ',
+ 'options' => 'ตัวเลือก',
+ 'credit_number_help' => 'ระบุคำนำหน้าหรือใช้รูปแบบที่กำหนดเองเพื่อตั้งค่าหมายเลขเครดิตสำหรับใบแจ้งหนี้เชิงลบ',
+ 'next_credit_number' => 'หมายเลขเครดิตถัดไปคือ :number',
+ 'padding_help' => 'จำนวนเลขศูนย์ใส่ในหมายเลขบัตร',
+ 'import_warning_invalid_date' => 'คำเตือน: รูปแบบวันที่ดูเหมือนจะไม่ถูกต้อง',
+ 'product_notes' => 'หมายเหตุผลิตภัณฑ์',
+ 'app_version' => 'เวอร์ชัน app ',
+ 'ofx_version' => 'เวอร์ชัน OFX',
+ 'gateway_help_23' => ':link เพื่อรับคีย์ API Stripe ของคุณ',
+ 'error_app_key_set_to_default' => 'ข้อผิดพลาด: APP_KEY ถูกตั้งค่าเป็นค่าดีฟอลต์เพื่ออัพเดตข้อมูลสำรองฐานข้อมูลของคุณและเรียกใช้ php artisan ninja:update-key
',
+ 'charge_late_fee' => 'ค่าปรับล่าช้า',
+ 'late_fee_amount' => 'ค่าปรับล่าช้าจำนวน',
+ 'late_fee_percent' => 'ค่าปรับล่าช้าเป็นเปอร์เซนต์',
+ 'late_fee_added' => 'ค่าปรับล่าช้าเพิ่ม :วัน',
+ 'download_invoice' => 'ดาวน์โหลดใบแจ้งหนี้',
+ 'download_quote' => 'ดาวน์โหลดใบเสนอราคา',
+ 'invoices_are_attached' => 'ใบแจ้งหนี้ไฟล์ PDF ได้ถูกเพิ่ม',
+ 'downloaded_invoice' => 'อีเมล์จะถูกส่งไปพร้อมกับไฟล์ PDF ใบแจ้งหนี้',
+ 'downloaded_quote' => 'อีเมล์จะถูกส่งไปพร้อมกับไฟล์ PDF ใบเสนอราคา',
+ 'downloaded_invoices' => 'อีเมล์จะถูกส่งไปพร้อมกับไฟล์ PDF ใบแจ้งหนี้',
+ 'downloaded_quotes' => 'อีเมล์จะถูกส่งไปพร้อมกับไฟล์ PDF ใบเสนอราคา',
+ 'clone_expense' => 'ลอกแบบค่าใช้จ่าย',
+ 'default_documents' => 'เอกสารเริ่มต้น',
+ 'send_email_to_client' => 'ส่งอีเมล์ให้ลูกค้า',
+ 'refund_subject' => 'กระบวนการขอคืนเงิน',
+ 'refund_body' => 'คุณได้รับการดำเนินการคืนเงิน: จำนวนเงินสำหรับใบแจ้งหนี้: หมายเลขใบแจ้งหนี้.',
+
+ 'currency_us_dollar' => 'ดอลลาร์',
+ 'currency_british_pound' => 'ปอนด์อังกฤษ',
+ 'currency_euro' => 'ยูโร',
+ 'currency_south_african_rand' => 'แอฟริกาใต้ แรน',
+ 'currency_danish_krone' => 'เดนิส โครน',
+ 'currency_israeli_shekel' => 'อิสราเอล ชีเกล',
+ 'currency_swedish_krona' => 'สวีเดน โครนา',
+ 'currency_kenyan_shilling' => 'เคนยา ชิลลิ่ง',
+ 'currency_canadian_dollar' => 'แคนนาดา ดอลลาร์',
+ 'currency_philippine_peso' => 'ฟิลิปปินส์ เปโซ',
+ 'currency_indian_rupee' => 'อินเดีย รูปี',
+ 'currency_australian_dollar' => 'ออสเตรเลีย ดอลลาร์',
+ 'currency_singapore_dollar' => 'สิงคโปร์ ดอลลาห์',
+ 'currency_norske_kroner' => 'นอร์เวย์ โครเนอร์',
+ 'currency_new_zealand_dollar' => 'นิวซีแลนด์ ดอลลาห์',
+ 'currency_vietnamese_dong' => 'เวียดนาม ดอง',
+ 'currency_swiss_franc' => 'สวิช ฟรังค์',
+ 'currency_guatemalan_quetzal' => 'กัวเตมาลา เควตซัล',
+ 'currency_malaysian_ringgit' => 'มาเลเซีย ริงกิต',
+ 'currency_brazilian_real' => 'บราซิล รีล',
+ 'currency_thai_baht' => 'ไทย บาท',
+ 'currency_nigerian_naira' => 'ไนจีเรีย ไนรา',
+ 'currency_argentine_peso' => 'อาร์เจตินา เปโซ',
+ 'currency_bangladeshi_taka' => 'บังกลาเทศ ทากา',
+ 'currency_united_arab_emirates_dirham' => 'อาหรับเอมีเรต เดอร์แฮม',
+ 'currency_hong_kong_dollar' => 'ฮ่องกง ดอลลาห์',
+ 'currency_indonesian_rupiah' => 'อินโดนีเซีย รูเปียะ',
+ 'currency_mexican_peso' => 'แมกซิกัน เปโซ',
+ 'currency_egyptian_pound' => 'อียิปต์ ปอนด์',
+ 'currency_colombian_peso' => 'โคลัมเบีย เปโซ',
+ 'currency_west_african_franc' => 'แอฟริกาตะวันออก ฟรังค์',
+ 'currency_chinese_renminbi' => 'จีน หยวน',
+ 'currency_rwandan_franc' => 'รวันดา ฟรังค์',
+ 'currency_tanzanian_shilling' => 'แทนซาเนีย ชิลลิ่ง',
+ 'currency_netherlands_antillean_guilder' => 'เนเธอร์แลนด์ กิลเดอร์',
+ 'currency_trinidad_and_tobago_dollar' => 'ตรินิแดด และ โทบาโก ดอลลาห์',
+ 'currency_east_caribbean_dollar' => 'คาริเบียนตะวันตก ดอลลาร์',
+ 'currency_ghanaian_cedi' => 'กานาร์ เซดิ',
+ 'currency_bulgarian_lev' => 'บัลกาเรีย เลฟ',
+ 'currency_aruban_florin' => 'อารูบา ฟลอริน',
+ 'currency_turkish_lira' => 'ตุรกี ลีรา',
+ 'currency_romanian_new_leu' => 'โรมาเนีย ลิว',
+ 'currency_croatian_kuna' => 'โครเอเชีย กูนา',
+ 'currency_saudi_riyal' => 'ซาอุ รียัล',
+ 'currency_japanese_yen' => 'ญี่ปุ่น เยน',
+ 'currency_maldivian_rufiyaa' => 'มัลดีฟ รูฟียา',
+ 'currency_costa_rican_colon' => 'Costa Rican Colón',
+ 'currency_pakistani_rupee' => 'ปากีสถาน รูปี',
+ 'currency_polish_zloty' => 'โปแลนด์ สลอตตี้',
+ 'currency_sri_lankan_rupee' => 'ศรีลังกา รูปี',
+ 'currency_czech_koruna' => 'เชค โครูนา',
+ 'currency_uruguayan_peso' => 'อุรุกวัย เปโซ',
+ 'currency_namibian_dollar' => 'นามิเบีย ดอลลาห์',
+ 'currency_tunisian_dinar' => 'ตูนีเซีย ดีนา',
+ 'currency_russian_ruble' => 'รัสเซีย รูเบิล',
+ 'currency_mozambican_metical' => 'โมซัมบิก เมติคัล',
+ 'currency_omani_rial' => 'โอมาน เรียลโอมาน',
+ 'currency_ukrainian_hryvnia' => 'ยูเครน ฮรีฟเนียยูเครน',
+ 'currency_macanese_pataca' => 'มาเก๊า ปาตากา',
+ 'currency_taiwan_new_dollar' => 'ไต้หวัน ดอลลาร์ใหม่ไต้หวัน',
+ 'currency_dominican_peso' => 'โดมินิกัน เปโซโดมินิกัน',
+ 'currency_chilean_peso' => 'ชิลี เปโซชิลี',
+ 'currency_icelandic_krona' => 'Icelandic Króna',
+ 'currency_papua_new_guinean_kina' => 'ปาปัวนิวกีนี กีนา',
+ 'currency_jordanian_dinar' => 'จอร์แดน ดีนาร์จอร์แดน',
+ 'currency_myanmar_kyat' => 'พม่า จัตพม่า',
+ 'currency_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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'คุณแน่ใจว่าใช้ไฟล์นี้ด้วยภาษาอังกฤษ.
เราใช้คอลัมนี้เพื่อให้ตรงกับช่องที่กำหนด',
+ 'tax1' => 'ภาษีส่วนที่หนึ่ง',
+ 'tax2' => 'ภาษีส่วนที่สอง',
+ 'fee_help' => 'ค่าใช้จ่ายที่เกิดขึ้นขึ้นอยู่กับสถาบันการเงินที่ใช้ชำระ',
+ 'format_export' => 'ไฟล์ที่ส่งออก',
+ 'custom1' => 'กำหนดเองครั้งแรก',
+ 'custom2' => 'กำหนดเองครั้งที่สอง',
+ 'contact_first_name' => 'ชื่อที่ติดต่อ',
+ 'contact_last_name' => 'นามสกุลที่ติดต่อ',
+ 'contact_custom1' => 'ติดต่อกำหนดเองแบบที่หนึ่ง',
+ 'contact_custom2' => 'ติดต่อกำหนดเองแบบที่สอง',
+ 'currency' => 'สกุลเงิน',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'เข้าสู่ระบบลูกค้า',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'แบบ',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/th/validation.php b/resources/lang/th/validation.php
new file mode 100644
index 000000000000..17d5f87d92f8
--- /dev/null
+++ b/resources/lang/th/validation.php
@@ -0,0 +1,116 @@
+ 'ข้อมูล :attribute ต้องผ่านการยอมรับก่อน',
+ 'active_url' => 'ข้อมูล :attribute ต้องเป็น URL เท่านั้น',
+ 'after' => 'ข้อมูล :attribute ต้องเป็นวันที่หลังจาก :date.',
+ 'alpha' => 'ข้อมูล :attribute ต้องเป็นตัวอักษรภาษาอังกฤษเท่านั้น',
+ 'alpha_dash' => 'ข้อมูล :attribute ต้องเป็นตัวอักษรภาษาอังกฤษ ตัวเลข และ _ เท่านั้น',
+ 'alpha_num' => 'ข้อมูล :attribute ต้องเป็นตัวอักษรภาษาอังกฤษ ตัวเลข เท่านั้น',
+ 'array' => 'ข้อมูล :attribute ต้องเป็น array เท่านั้น',
+ 'before' => 'ข้อมูล :attribute ต้องเป็นวันที่ก่อน :date.',
+ 'between' => [
+ 'numeric' => 'ข้อมูล :attribute ต้องอยู่ในช่วงระหว่าง :min - :max.',
+ 'file' => 'ข้อมูล :attribute ต้องอยู่ในช่วงระหว่าง :min - :max กิโลไบต์',
+ 'string' => 'ข้อมูล :attribute ต้องอยู่ในช่วงระหว่าง :min - :max ตัวอักษร',
+ 'array' => 'ข้อมูล :attribute ต้องอยู่ในช่วงระหว่าง :min - :max ค่า',
+ ],
+ 'boolean' => 'ข้อมูล :attribute ต้องเป็นจริง หรือเท็จ เท่านั้น',
+ 'confirmed' => 'ข้อมูล :attribute ไม่ตรงกัน',
+ 'date' => 'ข้อมูล :attribute ต้องเป็นวันที่',
+ 'date_format' => 'ข้อมูล :attribute ไม่ตรงกับข้อมูลกำหนด :format.',
+ 'different' => 'ข้อมูล :attribute และ :other ต้องไม่เท่ากัน',
+ 'digits' => 'ข้อมูล :attribute ต้องเป็น :digits',
+ 'digits_between' => 'ข้อมูล :attribute ต้องอยู่ในช่วงระหว่าง :min ถึง :max',
+ 'dimensions' => 'The :attribute has invalid image dimensions.',
+ 'distinct' => 'ข้อมูล :attribute มีค่าที่ซ้ำกัน',
+ 'email' => 'ข้อมูล :attribute ต้องเป็นอีเมล์',
+ 'exists' => 'ข้อมูล ที่ถูกเลือกจาก :attribute ไม่ถูกต้อง',
+ 'filled' => 'ข้อมูล :attribute จำเป็นต้องกรอก',
+ 'image' => 'ข้อมูล :attribute ต้องเป็นรูปภาพ',
+ 'in' => 'ข้อมูล ที่ถูกเลือกใน :attribute ไม่ถูกต้อง',
+ 'in_array' => 'ข้อมูล :attribute ไม่มีอยู่ภายในค่าของ :other',
+ 'integer' => 'ข้อมูล :attribute ต้องเป็นตัวเลข',
+ 'ip' => 'ข้อมูล :attribute ต้องเป็น IP',
+ 'json' => 'ข้อมูล :attribute ต้องเป็นอักขระ JSON ที่สมบูรณ์',
+ 'max' => [
+ 'numeric' => 'ข้อมูล :attribute ต้องมีจำนวนไม่เกิน :max.',
+ 'file' => 'ข้อมูล :attribute ต้องมีจำนวนไม่เกิน :max กิโลไบต์',
+ 'string' => 'ข้อมูล :attribute ต้องมีจำนวนไม่เกิน :max ตัวอักษร',
+ 'array' => 'ข้อมูล :attribute ต้องมีจำนวนไม่เกิน :max ค่า',
+ ],
+ 'mimes' => 'ข้อมูล :attribute ต้องเป็นชนิดไฟล์: :values.',
+ 'min' => [
+ 'numeric' => 'ข้อมูล :attribute ต้องมีจำนวนอย่างน้อย :min.',
+ 'file' => 'ข้อมูล :attribute ต้องมีจำนวนอย่างน้อย :min กิโลไบต์',
+ 'string' => 'ข้อมูล :attribute ต้องมีจำนวนอย่างน้อย :min ตัวอักษร',
+ 'array' => 'ข้อมูล :attribute ต้องมีจำนวนอย่างน้อย :min ค่า',
+ ],
+ 'not_in' => 'ข้อมูล ที่เลือกจาก :attribute ไม่ถูกต้อง',
+ 'numeric' => 'ข้อมูล :attribute ต้องเป็นตัวเลข',
+ 'present' => 'ข้อมูล :attribute ต้องเป็นปัจจุบัน',
+ 'regex' => 'ข้อมูล :attribute มีรูปแบบไม่ถูกต้อง',
+ 'required' => 'ข้อมูล :attribute จำเป็นต้องกรอก',
+ 'required_if' => 'ข้อมูล :attribute จำเป็นต้องกรอกเมื่อ :other เป็น :value.',
+ 'required_unless' => 'ข้อมูล :attribute จำเป็นต้องกรอกเว้นแต่ :other เป็น :values.',
+ 'required_with' => 'ข้อมูล :attribute จำเป็นต้องกรอกเมื่อ :values มีค่า',
+ 'required_with_all' => 'ข้อมูล :attribute จำเป็นต้องกรอกเมื่อ :values มีค่าทั้งหมด',
+ 'required_without' => 'ข้อมูล :attribute จำเป็นต้องกรอกเมื่อ :values ไม่มีค่า',
+ 'required_without_all' => 'ข้อมูล :attribute จำเป็นต้องกรอกเมื่อ :values ไม่มีค่าทั้งหมด',
+ 'same' => 'ข้อมูล :attribute และ :other ต้องถูกต้อง',
+ 'size' => [
+ 'numeric' => 'ข้อมูล :attribute ต้องเท่ากับ :size',
+ 'file' => 'ข้อมูล :attribute ต้องเท่ากับ :size กิโลไบต์',
+ 'string' => 'ข้อมูล :attribute ต้องเท่ากับ :size ตัวอักษร',
+ 'array' => 'ข้อมูล :attribute ต้องเท่ากับ :size ค่า',
+ ],
+ 'string' => 'ข้อมูล :attribute ต้องเป็นอักขระ',
+ 'timezone' => 'ข้อมูล :attribute ต้องเป็นข้อมูลเขตเวลาที่ถูกต้อง',
+ 'unique' => 'ข้อมูล :attribute ไม่สามารถใช้ได้',
+ 'url' => 'ข้อมูล :attribute ไม่ถูกต้อง',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ //
+ ],
+
+];
diff --git a/resources/lang/tr_TR/auth.php b/resources/lang/tr_TR/auth.php
new file mode 100644
index 000000000000..7edabe2edfa5
--- /dev/null
+++ b/resources/lang/tr_TR/auth.php
@@ -0,0 +1,19 @@
+ 'Bu kullanıcı bilgileri, bizim verilerimizle eşleşmiyor.',
+ 'throttle' => 'Çok fazla oturum açma girişimi. Lütfen :seconds saniye içinde tekrar deneyin.',
+
+];
diff --git a/resources/lang/tr_TR/pagination.php b/resources/lang/tr_TR/pagination.php
new file mode 100644
index 000000000000..18fd3e1f0d94
--- /dev/null
+++ b/resources/lang/tr_TR/pagination.php
@@ -0,0 +1,19 @@
+ '« Önceki',
+ 'next' => 'Sonraki »',
+
+];
diff --git a/resources/lang/tr_TR/passwords.php b/resources/lang/tr_TR/passwords.php
new file mode 100644
index 000000000000..1905afa6fe32
--- /dev/null
+++ b/resources/lang/tr_TR/passwords.php
@@ -0,0 +1,22 @@
+ 'Şifreler en az altı karakter olmalı ve onay ile eşleşmelidir.',
+ 'reset' => 'Şifreniz sıfırlandı!',
+ 'sent' => 'Şifre sıfırlama bağlantınızı size e-posta ile gönderdik!',
+ 'token' => 'Şifre sıfırlama adresi/kodu geçersiz.',
+ 'user' => 'Bu e-posta adresi ile kayıtlı bir üye bulunmuyor.',
+
+];
diff --git a/resources/lang/tr_TR/texts.php b/resources/lang/tr_TR/texts.php
new file mode 100644
index 000000000000..a6539b97a31d
--- /dev/null
+++ b/resources/lang/tr_TR/texts.php
@@ -0,0 +1,2871 @@
+ 'Şirket',
+ 'name' => 'Ünvan',
+ 'website' => 'Web adresi',
+ 'work_phone' => 'Telefon',
+ 'address' => 'Adres',
+ 'address1' => 'Adres',
+ 'address2' => 'Adres',
+ 'city' => 'Şehir',
+ 'state' => 'İlçe',
+ 'postal_code' => 'Posta Kodu',
+ 'country_id' => 'Ülke',
+ 'contacts' => 'Yetkili',
+ 'first_name' => 'Adı',
+ 'last_name' => 'Soyadı',
+ 'phone' => 'Telefon',
+ 'email' => 'E-Posta',
+ 'additional_info' => 'Ek bilgi',
+ 'payment_terms' => 'Ödeme koşulları',
+ 'currency_id' => 'Para Birimi',
+ 'size_id' => 'Şirket Çalışan Sayısı',
+ 'industry_id' => 'Sektör',
+ 'private_notes' => 'Özel Notlar',
+ 'invoice' => 'Fatura',
+ 'client' => 'Müşteri',
+ 'invoice_date' => 'Fatura Tarihi',
+ 'due_date' => 'Ödeme Tarihi',
+ 'invoice_number' => 'Fatura Numarası',
+ 'invoice_number_short' => 'Fatura #',
+ 'po_number' => 'Sipariş No',
+ 'po_number_short' => 'SO #',
+ 'frequency_id' => 'Ne kadar sıklıkta',
+ 'discount' => 'İskonto',
+ 'taxes' => 'Vergiler',
+ 'tax' => 'Vergi',
+ 'item' => 'Öğe',
+ 'description' => 'Açıklama',
+ 'unit_cost' => 'Birim Fiyatı',
+ 'quantity' => 'Miktar',
+ 'line_total' => 'Tutar',
+ 'subtotal' => 'Aratoplam',
+ 'paid_to_date' => 'Ödeme Tarihi',
+ 'balance_due' => 'Genel Toplam',
+ 'invoice_design_id' => 'Dizayn',
+ 'terms' => 'Koşullar',
+ 'your_invoice' => 'Faturanız',
+ 'remove_contact' => 'Yetkili Sil',
+ 'add_contact' => 'Yetkili Ekle',
+ 'create_new_client' => 'Yeni müşteri oluştur',
+ 'edit_client_details' => 'Müşteri detaylarını düzenle',
+ 'enable' => 'Etkinleştir',
+ 'learn_more' => 'Daha fazla bilgi edin',
+ 'manage_rates' => 'Oranları yönet',
+ 'note_to_client' => 'Müşteri Notu',
+ 'invoice_terms' => 'Fatura Şartları',
+ 'save_as_default_terms' => 'Varsayılan koşullar olarak kaydet',
+ 'download_pdf' => 'PDF indir',
+ 'pay_now' => 'Şimdi Öde',
+ 'save_invoice' => 'Faturayı Kaydet',
+ 'clone_invoice' => 'Clone To Invoice',
+ 'archive_invoice' => 'Faturayı Arşivle',
+ 'delete_invoice' => 'Faturayı Sil',
+ 'email_invoice' => 'Faturayı E-Posta ile gönder',
+ 'enter_payment' => 'Ödeme Gir',
+ 'tax_rates' => 'Vergi Oranları',
+ 'rate' => 'Oran',
+ 'settings' => 'Ayarlar',
+ 'enable_invoice_tax' => 'fatura bazında vergi seçeneğini etkinleştir',
+ 'enable_line_item_tax' => 'kalem bazında vergi seçeneğini etkinleştir',
+ 'dashboard' => 'Gösterge Paneli',
+ 'clients' => 'Müşteriler',
+ 'invoices' => 'Faturalar',
+ 'payments' => 'Ödemeler',
+ 'credits' => 'Krediler',
+ 'history' => 'Geçmiş',
+ 'search' => 'Arama',
+ 'sign_up' => 'Kayıt Ol',
+ 'guest' => 'Konuk',
+ 'company_details' => 'Şirket Detayları',
+ 'online_payments' => 'Çevrimiçi Ödemeler',
+ 'notifications' => 'Bildirimler',
+ 'import_export' => 'İçe Aktarım | Dışa Aktarım',
+ 'done' => 'Tamam',
+ 'save' => 'Kaydet',
+ 'create' => 'Oluştur',
+ 'upload' => 'Yükle',
+ 'import' => 'İçe Aktar',
+ 'download' => 'İndir',
+ 'cancel' => 'İptal',
+ 'close' => 'Kapat',
+ 'provide_email' => 'Lütfen geçerli bir e-posta adresi girin',
+ 'powered_by' => 'Powered by',
+ 'no_items' => 'Öğe Yok',
+ 'recurring_invoices' => 'Tekrarlayan Faturalar',
+ 'recurring_help' => 'Automatically send clients the same invoices weekly, bi-monthly, monthly, quarterly or annually.
+ Use :MONTH, :QUARTER or :YEAR for dynamic dates. Basic math works as well, for example :MONTH-1.
+ Examples of dynamic invoice variables:
+
+ - "Gym membership for the month of :MONTH" >> "Gym membership for the month of July"
+ - ":YEAR+1 yearly subscription" >> "2015 Yearly Subscription"
+ - "Retainer payment for :QUARTER+1" >> "Retainer payment for Q2"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => 'toplam gelirde',
+ 'billed_client' => 'fatura müşterisi',
+ 'billed_clients' => 'fatura müşterileri',
+ 'active_client' => 'aktif müşteri',
+ 'active_clients' => 'aktif müşteriler',
+ 'invoices_past_due' => 'Vadesi Geçmiş Faturalar',
+ 'upcoming_invoices' => 'Yaklaşan Faturalar',
+ 'average_invoice' => 'Ortalama Fatura',
+ 'archive' => 'Arşivle',
+ 'delete' => 'Sil',
+ 'archive_client' => 'Müşteri Arşivle',
+ 'delete_client' => 'Müşteri Sil',
+ 'archive_payment' => 'Ödeme Arşivle',
+ 'delete_payment' => 'Ödeme Sil',
+ 'archive_credit' => 'Kredi Arşivle',
+ 'delete_credit' => 'Kredi Sil',
+ 'show_archived_deleted' => 'arşivlenen/silinen göster',
+ 'filter' => 'Filitrele',
+ 'new_client' => 'Yeni Müşteri',
+ 'new_invoice' => 'Yeni Fatura',
+ 'new_payment' => 'Ödeme Gir',
+ 'new_credit' => 'Kredi Gir',
+ 'contact' => 'Kişi',
+ 'date_created' => 'Oluşturulma Tarihi',
+ 'last_login' => 'Son Giriş',
+ 'balance' => 'Bakiye',
+ 'action' => 'Aksiyon',
+ 'status' => 'Durum',
+ 'invoice_total' => 'Fatura Toplam',
+ 'frequency' => 'Sıklık',
+ 'start_date' => 'Başlangıç Tarihi',
+ 'end_date' => 'Bitiş Tarihi',
+ 'transaction_reference' => 'İşlem referansı',
+ 'method' => 'Metod',
+ 'payment_amount' => 'Ödeme Tutarı',
+ 'payment_date' => 'Ödeme Tarihi',
+ 'credit_amount' => 'Kredi Tarihi',
+ 'credit_balance' => 'Kredi Bakiyesi',
+ 'credit_date' => 'Kredi Tarihi',
+ 'empty_table' => 'Tabloda mevcut veri yok',
+ 'select' => 'Seç',
+ 'edit_client' => 'Müşteri Düzenle',
+ 'edit_invoice' => 'Fatura Düzenle',
+ 'create_invoice' => 'Fatura Oluştur',
+ 'enter_credit' => 'Kredi Gir',
+ 'last_logged_in' => 'Son giriş',
+ 'details' => 'Detaylar',
+ 'standing' => 'Standing',
+ 'credit' => 'Kredi',
+ 'activity' => 'Aktivite',
+ 'date' => 'Tarih',
+ 'message' => 'Mesaj',
+ 'adjustment' => 'Ayarlama',
+ 'are_you_sure' => 'Emin misiniz?',
+ 'payment_type_id' => 'Ödeme Türü',
+ 'amount' => 'Tutar',
+ 'work_email' => 'E-posta',
+ 'language_id' => 'Dil',
+ 'timezone_id' => 'Zaman Dilimi',
+ 'date_format_id' => 'Tarih Formatı',
+ 'datetime_format_id' => 'Tarih/Saat Formatı',
+ 'users' => 'Kullanıcılar',
+ 'localization' => 'Yerelleştirme',
+ 'remove_logo' => 'Logoyu Kaldır',
+ 'logo_help' => 'Desteklenen: JPEG, GIF ve PNG',
+ 'payment_gateway' => 'Ödeme Geçidi',
+ 'gateway_id' => 'Geçit',
+ 'email_notifications' => 'E-posta Bildirimleri',
+ 'email_sent' => 'Fatura gönderildiğinde bana E-Posta gönder',
+ 'email_viewed' => 'Fatura görüntülendiğinde bana E-Posta gönder',
+ 'email_paid' => 'Fatura ödendiğinde bana E-Posta gönder',
+ 'site_updates' => 'Site Güncellemeleri',
+ 'custom_messages' => 'Özel Mesajlar',
+ 'default_email_footer' => 'Varsayılan e-posta imzası olarak ayarla',
+ 'select_file' => 'Lütfen bir dosya seçin',
+ 'first_row_headers' => 'İlk satırı başlık olarak kullan',
+ 'column' => 'Kolon',
+ 'sample' => 'Örnek',
+ 'import_to' => 'Şuraya içeri aktar',
+ 'client_will_create' => 'müşteri oluşturulacak',
+ 'clients_will_create' => 'müşteriler oluşturulacak',
+ 'email_settings' => 'E-posta ayarları',
+ 'client_view_styling' => 'Müşteri Görünümü Şekillendirme',
+ 'pdf_email_attachment' => 'Attach PDF',
+ 'custom_css' => 'Özel CSS',
+ 'import_clients' => 'Müşteri datası içe aktar',
+ 'csv_file' => 'CSV dosya',
+ 'export_clients' => 'Müşteri datası dışa aktar',
+ 'created_client' => 'Müşteri başarıyla oluşturuldu',
+ 'created_clients' => ':count müşteri başarıyla oluşturuldu',
+ 'updated_settings' => 'Ayarlar başarıyla güncellendi',
+ 'removed_logo' => 'Logo aşarıyla kaldırıldı',
+ 'sent_message' => 'Mesaj başarıyla gönderildi',
+ 'invoice_error' => 'Lütfen bir müşteri seçtiğinizden ve hataları düzeltdiğinizden emin olun',
+ 'limit_clients' => 'Üzgünüz, bu :count müşteri sınırını aşacaktır',
+ 'payment_error' => 'Ödemenizi işleme koyarken bir hata oluştu. Lütfen daha sonra tekrar deneyiniz.',
+ 'registration_required' => 'Lütfen bir faturayı e-postayla göndermek için kayıt olunuz',
+ 'confirmation_required' => 'Please confirm your email address, :link to resend the confirmation email.',
+ 'updated_client' => 'Müşteri başarıyla güncellendi',
+ 'created_client' => 'Müşteri başarıyla oluşturuldu',
+ 'archived_client' => 'Müşteri başarıyla arşivlendi',
+ 'archived_clients' => ':count müşteri başarıyla arşivlendi',
+ 'deleted_client' => 'Müşteri başarıyla silindi',
+ 'deleted_clients' => ':count müşteri başarıyla silindi',
+ 'updated_invoice' => 'Fatura başarıyla güncellendi',
+ 'created_invoice' => 'Fatura başarıyla oluşturuldu',
+ 'cloned_invoice' => 'Fatura başarıyla çoğaltıldı',
+ 'emailed_invoice' => 'Fatura başarıyla e-posta ile gönderildi',
+ 'and_created_client' => 've müşteri oluşturuldu',
+ 'archived_invoice' => 'Fatura başarıyla arşivlendi',
+ 'archived_invoices' => ':count fatura başarıyla arşivlendi',
+ 'deleted_invoice' => 'Fatura başarıyla silindi',
+ 'deleted_invoices' => ':count fatura başarıyla silindi',
+ 'created_payment' => 'Ödeme başarıyla oluşturuldu',
+ 'created_payments' => ':count ödeme başarıyla oluşturuldu',
+ 'archived_payment' => 'Ödeme başarıyla arşivlendi',
+ 'archived_payments' => ':count ödeme arşivlendi',
+ 'deleted_payment' => 'Ödeme başarıyla silindi',
+ 'deleted_payments' => ':count ödeme silindi',
+ 'applied_payment' => 'Ödeme başarılı bir şekilde uygulandı',
+ 'created_credit' => 'Kredi başarıyla oluşturuldu',
+ 'archived_credit' => 'Kredi başarıyla arşivlendi',
+ 'archived_credits' => ':count kredi arşivlendi',
+ 'deleted_credit' => 'Kredi başarıyla silindi',
+ 'deleted_credits' => ':count kredi başarıyla silindi',
+ 'imported_file' => 'Dosya başarıyla içeri aktarıldı',
+ 'updated_vendor' => 'Satıcı başarıyla güncellendi',
+ 'created_vendor' => 'Satıcı başarıyla oluşturuldu',
+ 'archived_vendor' => 'Satıcı başarıyla arşivlendi',
+ 'archived_vendors' => ':count satıcı başarıyla arşivlendi',
+ 'deleted_vendor' => 'Satıcı başarıyla silindi',
+ 'deleted_vendors' => ':count satıcı başarıyla silindi',
+ 'confirmation_subject' => 'Fatura Ninja Hesap Onayı',
+ 'confirmation_header' => 'Hesap Onayı',
+ 'confirmation_message' => 'Lütfen hesabınızı onaylamak için aşağıdaki bağlantıya erişin.',
+ 'invoice_subject' => 'New invoice :number from :account',
+ 'invoice_message' => ':amount tutarındaki faturanızı görüntülemek için, aşağıdaki bağlantıya tıklayın.',
+ 'payment_subject' => 'Ödeme alındı',
+ 'payment_message' => ':amount tutarındaki ödemeniz için teşekkürler.',
+ 'email_salutation' => 'Sayın :name,',
+ 'email_signature' => 'Saygılarımızla,',
+ 'email_from' => 'Fatura Ninja Takımı',
+ 'invoice_link_message' => 'Faturayı görüntülemek için, aşağıdaki bağlantıya tıklayın:',
+ 'notification_invoice_paid_subject' => ':invoice faturası :client tarafından ödendi.',
+ 'notification_invoice_sent_subject' => ':invoice faturası :client alıcısına gönderildi.',
+ 'notification_invoice_viewed_subject' => ':invoice faturası :client tarafından görüntülendi.',
+ 'notification_invoice_paid' => ':client tarafından :invoice faturaya :amount tutarlık bir ödeme yapılmıştır.',
+ 'notification_invoice_sent' => ':client adlı müşteriye :amount tutarındaki :invoice nolu fatura e-posta ile gönderildi.',
+ 'notification_invoice_viewed' => ':client adlı müşteri :amount tutarındaki :invoice nolu faturayı görüntüledi.',
+ 'reset_password' => 'Aşağıdaki butona tıklayarak hesap şifrenizi sıfırlayabilirsiniz:',
+ 'secure_payment' => 'Güvenli Ödeme',
+ 'card_number' => 'Kart Numarasır',
+ 'expiration_month' => 'Son Kullanım Ayı',
+ 'expiration_year' => 'Son Kullanım Yılı',
+ 'cvv' => 'CVV',
+ 'logout' => 'Oturumu kapat',
+ 'sign_up_to_save' => 'İşinizi kaydetmek için kayıt olunuz',
+ 'agree_to_terms' => 'I agree to the :terms',
+ 'terms_of_service' => 'Hizmet Şartları',
+ 'email_taken' => 'E-posta adresi zaten kayıtlı',
+ 'working' => 'Çalışıyor',
+ 'success' => 'Başarılı',
+ 'success_message' => 'Başarıyla kaydoldunuz! Lütfen e-posta adresinizi doğrulamak için hesap onay e-postasındaki bağlantıyı ziyaret edin.',
+ 'erase_data' => 'Hesabınız kayıtlı değil, bu işlem tüm verilerinizi kalıcı olarak silecektir.',
+ 'password' => 'Şifre',
+ 'pro_plan_product' => 'Pro Plan',
+ 'pro_plan_success' => 'Fatura Ninja\'nın Pro planını seçtiğiniz için teşekkürler!
+ Sonraki aşamalarBir ödenecek fatura hesabınızla ilişkili e-posta
+adresine gönderildi. Müthiş tüm özelliklerin kilidini açmak için lütfen bir yıl boyunca
+ Pro-level faturalandırmayla ödenecek faturadaki talimatları izleyin.
+ Faturayı bulamıyor musunuz? Daha fazla yardıma mı ihtiyacınız var? Yardım etmekten mutluluk duyarız
+ --contact@invoiceninja.com adresine e-posta gönderebilirsiniz.',
+ 'unsaved_changes' => 'Kaydedilmemiş değişiklikleriniz var',
+ 'custom_fields' => 'Özel Alanlar',
+ 'company_fields' => 'Firma Alanları',
+ 'client_fields' => 'Müşteri Alanları',
+ 'field_label' => 'Alan Başlığı',
+ 'field_value' => 'Alan Değeri',
+ 'edit' => 'Düzenle',
+ 'set_name' => 'Şirket adınızı ayarlayın',
+ 'view_as_recipient' => 'Alıcı olarak görüntüleyin',
+ 'product_library' => 'Ürün Kütüphanesi',
+ 'product' => 'Ürün',
+ 'products' => 'Ürünler',
+ 'fill_products' => 'Otomatik doldurma ürünleri',
+ 'fill_products_help' => 'Bir ürün seçmek açıklama ve maliyeti otomatik olarak dolduracaktır',
+ 'update_products' => 'Ürünleri otomatik güncelle',
+ 'update_products_help' => 'Faturayı güncellemek ürün kütüphanesini otomatik olarak dolduracaktır.',
+ 'create_product' => 'Ürün Ekle',
+ 'edit_product' => 'Ürün Düzenle',
+ 'archive_product' => 'Ürün Arşivle',
+ 'updated_product' => 'Ürün başarıyla güncellendi',
+ 'created_product' => 'Ürün başarıyla oluşturuldu',
+ 'archived_product' => 'Ürün başarıyla arşivlendi',
+ 'pro_plan_custom_fields' => 'Pro Plan\'a katılarak özel alanları etkinleştirmek için :link',
+ 'advanced_settings' => 'Gelişmiş Ayarlar',
+ 'pro_plan_advanced_settings' => 'Pro Plan\'a katılarak gelişmiş ayarları etkinleştirmek için :link',
+ 'invoice_design' => 'Fatura Dizaynı',
+ 'specify_colors' => 'Renkleri belirtin',
+ 'specify_colors_label' => 'Faturada kullanılan renkleri seçin',
+ 'chart_builder' => 'Grafik Oluşturucu',
+ 'ninja_email_footer' => 'Created by :site | Create. Send. Get Paid.',
+ 'go_pro' => 'Pro Plana Geç',
+ 'quote' => 'Teklif',
+ 'quotes' => 'Teklifler',
+ 'quote_number' => 'Teklif Numarası',
+ 'quote_number_short' => 'Teklif #',
+ 'quote_date' => 'Teklif Tarihi',
+ 'quote_total' => 'Teklif Toplam',
+ 'your_quote' => 'Teklifiniz',
+ 'total' => 'Toplam',
+ 'clone' => 'Çoğalt',
+ 'new_quote' => 'Yeni Teklif',
+ 'create_quote' => 'Teklif Oluştur',
+ 'edit_quote' => 'Teklif Düzenle',
+ 'archive_quote' => 'Teklif Arşivle',
+ 'delete_quote' => 'Teklif Sil',
+ 'save_quote' => 'Teklif Kaydet',
+ 'email_quote' => 'Teklifi E-Posta ile Gönder',
+ 'clone_quote' => 'Clone To Quote',
+ 'convert_to_invoice' => 'Faturaya Dönüştür',
+ 'view_invoice' => 'Fatura Görüntüle',
+ 'view_client' => 'Müşteri Görüntüle',
+ 'view_quote' => 'Teklif Görüntüle',
+ 'updated_quote' => 'Teklif başarıyla güncellendi',
+ 'created_quote' => 'Teklif başarıyla oluşturuldu',
+ 'cloned_quote' => 'Teklif başarıyla çoğaltıldı',
+ 'emailed_quote' => 'Teklif başarıyla e-posta ile gönderildi',
+ 'archived_quote' => 'Teklif başarıyla arşivlendi',
+ 'archived_quotes' => ':count teklif başarıyla arşivlendi',
+ 'deleted_quote' => 'Teklif başarıyla silindi',
+ 'deleted_quotes' => ':count teklif başarıyla silindi',
+ 'converted_to_invoice' => 'Teklif başarıyla faturaya dönüştürüldü',
+ 'quote_subject' => 'New quote :number from :account',
+ 'quote_message' => ':amount tutarlı teklifinizi görüntülemek için aşağıdaki linki tıklayın.',
+ 'quote_link_message' => 'Müşteri teklifinizi görüntülemek için aşağıdaki bağlantıyı tıklayın:',
+ 'notification_quote_sent_subject' => ':invoice teklif :client müşterisine gönderildi',
+ 'notification_quote_viewed_subject' => 'Teklif :invoice :client tarafından görüntülendi',
+ 'notification_quote_sent' => 'Aşağıdaki :client müşterisine :amount için :invoice teklifi e-posta ile gönderildi.',
+ 'notification_quote_viewed' => 'Aşağıdaki :client müşterisi :amount tutarlı gönderilen :invoice teklifini görüntüledi.',
+ 'session_expired' => 'Oturumunuz sonlandı.',
+ 'invoice_fields' => 'Fatura Alanları',
+ 'invoice_options' => 'Fatura Seçenekleri',
+ 'hide_paid_to_date' => 'Ödeme Tarihini Gizle',
+ 'hide_paid_to_date_help' => 'Bir ödeme alındığında yalnızca faturalarınızdaki "Ödenen Tarihi" alanını görüntüleyin.',
+ 'charge_taxes' => 'Vergi masrafları',
+ 'user_management' => 'Kullanıcı yönetimi',
+ 'add_user' => 'Kullanıcı ekle',
+ 'send_invite' => 'Davet Gönder',
+ 'sent_invite' => 'Davetiye başarıyla gönderildi',
+ 'updated_user' => 'Kullanıcı başarıyla güncellendi',
+ 'invitation_message' => ':invitor tarafından davet edildiniz. ',
+ 'register_to_add_user' => 'Bir kullanıcı eklemek için lütfen giriş yapın',
+ 'user_state' => 'Durum',
+ 'edit_user' => 'Kullanıcı Düzenle',
+ 'delete_user' => 'Kullanıcı Sil',
+ 'active' => 'Aktif',
+ 'pending' => 'Beklemede',
+ 'deleted_user' => 'Kullanıcı başarıyla silindi',
+ 'confirm_email_invoice' => 'Bu faturayı e-postayla göndermek istediğinizden emin misiniz?',
+ 'confirm_email_quote' => 'Bu teklifi e-postayla göndermek istediğinizden emin misiniz?',
+ 'confirm_recurring_email_invoice' => 'Bu faturanın e-postayla gönderilmesini istediğinizden emin misiniz?',
+ 'confirm_recurring_email_invoice_not_sent' => 'Are you sure you want to start the recurrence?',
+ 'cancel_account' => 'Hesabı Sil',
+ 'cancel_account_message' => 'Warning: This will permanently delete your account, there is no undo.',
+ 'go_back' => 'Geri dön',
+ 'data_visualizations' => 'Veri Görselleştirmeleri',
+ 'sample_data' => 'Gösterilen örnek veriler',
+ 'hide' => 'Gizle',
+ 'new_version_available' => ':releases_link \'nın yeni versiyonu mevcut. Şu an kullanılan versiyon v:user_version, son versiyon v:latest_version',
+ 'invoice_settings' => 'Fatura Ayarları',
+ 'invoice_number_prefix' => 'Fatura Seri',
+ 'invoice_number_counter' => 'Fatura No Sayacı',
+ 'quote_number_prefix' => 'Teklif Seri',
+ 'quote_number_counter' => 'Teklif No Sayacı',
+ 'share_invoice_counter' => 'Fatura sayaçını paylaş',
+ 'invoice_issued_to' => 'Fatura düzenlenen müşteri',
+ 'invalid_counter' => 'Muhtemel bir çakışmayı önlemek için lütfen bir fatura veya teklif numara serisini ayarlayın.',
+ 'mark_sent' => 'Gönderilmiş Olarak İşaretle',
+ 'gateway_help_1' => 'Authorize.net\'e üye olmak için :link ',
+ 'gateway_help_2' => 'Authorize.net\'e üye olmak için :link ',
+ 'gateway_help_17' => 'PayPal API imzanızı almak için :link ',
+ 'gateway_help_27' => ' 2Checkout.com\'a kaydolmak için :link Ödemelerin izlenmesini sağlamak için www.Checkout portalında Hesap> Site Yönetimi altındaki :complete_link adresini yönlendirme URL\'si olarak ayarlayın.',
+ 'gateway_help_60' => ':link to create a WePay account.',
+ 'more_designs' => 'Daha fazla tasarım',
+ 'more_designs_title' => 'Ek Fatura Tasarımları',
+ 'more_designs_cloud_header' => 'Daha fazla fatura tasarımı için Pro plana geç',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => 'Satın al',
+ 'bought_designs' => 'Ek fatura tasarımları başarıyla eklendi',
+ 'sent' => 'Sent',
+ 'vat_number' => 'Vergi Numarası',
+ 'timesheets' => 'Zaman çizelgeleri',
+ 'payment_title' => 'Fatura Adresinizi ve Kredi Kartı bilgilerinizi girin',
+ 'payment_cvv' => '*Bu, kartınızın arkasındaki 3-4 basamaklı sayıdır',
+ 'payment_footer1' => '*Fatura adresi, kredi kartıyla ilişkili adresle eşleşmelidir.',
+ 'payment_footer2' => '*Lütfen "ŞİMDİ ÖDE" seçeneğini yalnızca bir kez tıklayın - işlemin işleme koyulması 1 dakika kadar sürebilir.',
+ 'id_number' => 'ID Numarası',
+ 'white_label_link' => 'Beyaz etiket',
+ 'white_label_header' => 'Beyaz Etiket',
+ 'bought_white_label' => 'Beyaz etiket lisansı başarıyla etkinleştirildi',
+ 'white_labeled' => 'Beyaz etiketli',
+ 'restore' => 'Geri yükle',
+ 'restore_invoice' => 'Faturayı Geri Yükle',
+ 'restore_quote' => 'Teklifi Geri Yükle',
+ 'restore_client' => 'Müşteriyi Geri Yükle',
+ 'restore_credit' => 'Kredi Geri Yükle',
+ 'restore_payment' => 'Ödeme Geri Yükle',
+ 'restored_invoice' => 'Fatura Başarıyla Geri Yüklendi',
+ 'restored_quote' => 'Teklif Başarıyla Geri Yüklendi',
+ 'restored_client' => 'Müşteri Başarıyla Geri Yüklendi',
+ 'restored_payment' => 'Ödeme Başarıyla Geri Yüklendi',
+ 'restored_credit' => 'Kredi Başarıyla Geri Yüklendi',
+ 'reason_for_canceling' => 'Neden ayrıldığınızı bize söyleyerek sitemizi geliştirmemize yardımcı olun.',
+ 'discount_percent' => 'Yüzde',
+ 'discount_amount' => 'Tutar',
+ 'invoice_history' => 'Fatura Geçmişi',
+ 'quote_history' => 'Teklif Geçmişi',
+ 'current_version' => 'Mevcut version',
+ 'select_version' => 'Versiyon seç',
+ 'view_history' => 'Geçmişi görüntüle',
+ 'edit_payment' => 'Ödeme düzenle',
+ 'updated_payment' => 'Ödeme başarıyla güncellendi',
+ 'deleted' => 'Silindi',
+ 'restore_user' => 'Kullanıcıyı Geri Yükle',
+ 'restored_user' => 'Kullanıcı başarıyla geri yüklendi',
+ 'show_deleted_users' => 'Silinen kullanıcıları göster',
+ 'email_templates' => 'E-posta Şablonları',
+ 'invoice_email' => 'Fatura E-postası',
+ 'payment_email' => 'Ödeme E-postası',
+ 'quote_email' => 'Teklif E-postası',
+ 'reset_all' => 'Hepsini sıfırla',
+ 'approve' => 'Onayla',
+ 'token_billing_type_id' => 'Token Faturalandırma',
+ 'token_billing_help' => 'Store payment details with WePay, Stripe, Braintree or GoCardless.',
+ 'token_billing_1' => 'Devre dışı bırakıldı',
+ 'token_billing_2' => 'Opt-in - onay kutusu gösterildi fakat seçili değil',
+ 'token_billing_3' => 'Opt-out - onay kutusu gösterildi ve işaretli',
+ 'token_billing_4' => 'Her zaman',
+ 'token_billing_checkbox' => 'Kredi kartı bilgilerini saklayın',
+ 'view_in_gateway' => ':gateway de/da göster',
+ 'use_card_on_file' => 'Dosya üzerinde Kart Kullan',
+ 'edit_payment_details' => 'Ödeme ayrıntılarını düzenle',
+ 'token_billing' => 'Kart bilgilerini sakla',
+ 'token_billing_secure' => 'Veri :link tarafından güvenli bir şekilde saklandı',
+ 'support' => 'Destek',
+ 'contact_information' => 'İletişim bilgileri',
+ '256_encryption' => '256-Bit Şifreleme',
+ 'amount_due' => 'Alacak tutarı',
+ 'billing_address' => 'Fatura Adresi',
+ 'billing_method' => 'Ödeme Metodu',
+ 'order_overview' => 'Siparişe genel bakış',
+ 'match_address' => '*Adres, kredi kartıyla ilişkili adresle eşleşmelidir.',
+ 'click_once' => '* Lütfen "ŞİMDİ ÖDE" seçeneğini yalnızca bir kez tıklayın - işlemin işleme koyulması 1 dakika kadar sürebilir.',
+ 'invoice_footer' => 'Fatura Altbilgisi',
+ 'save_as_default_footer' => 'Varsayılan altbilgi olarak kaydet',
+ 'token_management' => 'Token Yönetimi',
+ 'tokens' => 'Tokenlar',
+ 'add_token' => 'Token Ekle',
+ 'show_deleted_tokens' => 'Silinen tokenları göster',
+ 'deleted_token' => 'Token başarıyla silindi',
+ 'created_token' => 'Token başarıyla oluşturuldu',
+ 'updated_token' => 'Token başarıyla güncellendi',
+ 'edit_token' => 'Token düzenle',
+ 'delete_token' => 'Token Sil',
+ 'token' => 'Token',
+ 'add_gateway' => 'Ödeme Sistemi Ekle',
+ 'delete_gateway' => 'Ödeme Sistemi Sil',
+ 'edit_gateway' => 'Ödeme Sistemi Düzenle',
+ 'updated_gateway' => 'Ödeme Sistemi başarıyla güncellendi',
+ 'created_gateway' => 'Ödeme Sistemi başarıyla oluşturuldu',
+ 'deleted_gateway' => 'Ödeme Sistemi başarıyla silindi',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => 'Kredi Kartı',
+ 'change_password' => 'Şifre değiştir',
+ 'current_password' => 'Mevcut şifre',
+ 'new_password' => 'Yeni şifre',
+ 'confirm_password' => 'Şifreyi onayla',
+ 'password_error_incorrect' => 'Geçerli şifre yanlış.',
+ 'password_error_invalid' => 'Yeni şifre geçersiz.',
+ 'updated_password' => 'Şifre başarıyla güncellendi',
+ 'api_tokens' => 'API Tokenları',
+ 'users_and_tokens' => 'Kullanıcılar & Tokenlar',
+ 'account_login' => 'Hesap girişi',
+ 'recover_password' => 'Şifreni kurtar',
+ 'forgot_password' => 'Şifrenizi mi unuttunuz?',
+ 'email_address' => 'E-posta adresi',
+ 'lets_go' => 'Gidelim',
+ 'password_recovery' => 'Şifre Kurtarma',
+ 'send_email' => 'E-Mail Gönder',
+ 'set_password' => 'Şifreyi belirle',
+ 'converted' => 'Dönüştürüldü',
+ 'email_approved' => 'Bir teklif onaylandığında bana e-posta gönder',
+ 'notification_quote_approved_subject' => 'Teklif :Invoice :client tarafından onaylandı',
+ 'notification_quote_approved' => ':client :amount tutarlı :Invoice teklifini onayladı.',
+ 'resend_confirmation' => 'Onaylama e-postasını tekrar gönder',
+ 'confirmation_resent' => 'Onay e-postası gönderildi',
+ 'gateway_help_42' => 'BitPay\'e üye olmak için tıklayın :link
Not: Bir API Token\'ı değil, eski bir API Anahtarı kullanın.',
+ 'payment_type_credit_card' => 'Kredi Kartı',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => 'Bitcoin',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => 'Bilgi Tabanı',
+ 'partial' => 'Kısmi / Mevduat',
+ 'partial_remaining' => ':partial / :balance',
+ 'more_fields' => 'Daha Fazla Alan',
+ 'less_fields' => 'Daha Az Alan',
+ 'client_name' => 'Müşteri Adı',
+ 'pdf_settings' => 'PDF Ayarları',
+ 'product_settings' => 'Ürün Ayarları',
+ 'auto_wrap' => 'Otomatik Satır Kaydırma',
+ 'duplicate_post' => 'Uyarı: bir önceki sayfa iki kez gönderildi. İkinci gönderme göz ardı edildi.',
+ 'view_documentation' => 'Belgeleri Görüntüle',
+ 'app_title' => 'Ücretsiz Açık Kaynaklı Online Faturalandırma',
+ 'app_description' => 'Fatura Ninja, faturalama ve faturalandırma müşterileri için ücretsiz, açık kaynaklı bir çözümdür. Fatura Ninja\'yla, web\'e erişimi olan herhangi bir cihazdan kolayca güzel faturalar oluşturup gönderebilirsiniz. Müşterileriniz faturalarınızı yazdırabilir, bunları pdf dosyaları olarak indirebilir ve hatta sistem içerisinde çevrimiçi olarak ödeyebilir.',
+ 'rows' => 'satırlar',
+ 'www' => 'www',
+ 'logo' => 'Logo',
+ 'subdomain' => 'Alt etki alanı',
+ 'provide_name_or_email' => 'Lütfen bir isim veya e-posta sağlayınız',
+ 'charts_and_reports' => 'Grafikler ve Raporlar',
+ 'chart' => 'Grafik',
+ 'report' => 'Rapor',
+ 'group_by' => 'Gruplandır',
+ 'paid' => 'Ödenen',
+ 'enable_report' => 'Rapor',
+ 'enable_chart' => 'Grafik',
+ 'totals' => 'Toplamlar',
+ 'run' => 'Çalıştır',
+ 'export' => 'Dışa Aktar',
+ 'documentation' => 'Belgeler',
+ 'zapier' => 'Zapier',
+ 'recurring' => 'Tekrar eden',
+ 'last_invoice_sent' => 'Son fatura gönderilme tarihi :date',
+ 'processed_updates' => 'Güncelleme işlemi başarıyla tamamlandı',
+ 'tasks' => 'Görevler',
+ 'new_task' => 'Yeni Görev',
+ 'start_time' => 'Başlangıç Zamanı',
+ 'created_task' => 'Görev başarıyla oluşturuldu',
+ 'updated_task' => 'Görev başarıyla güncellendi',
+ 'edit_task' => 'Görev Düzenle',
+ 'archive_task' => 'Görev Arşivle',
+ 'restore_task' => 'Görevi Geri Yükle',
+ 'delete_task' => 'Görev Sil',
+ 'stop_task' => 'Görevi Durdur',
+ 'time' => 'Zaman',
+ 'start' => 'Başlama',
+ 'stop' => 'Bitiş',
+ 'now' => 'Şimdi',
+ 'timer' => 'Zamanlayıcı',
+ 'manual' => 'Manuel',
+ 'date_and_time' => 'Tarih & Saat',
+ 'second' => 'Saniye',
+ 'seconds' => 'Saniyeler',
+ 'minute' => 'Dakika',
+ 'minutes' => 'Dakikalar',
+ 'hour' => 'Saat',
+ 'hours' => 'Saat',
+ 'task_details' => 'Görev Detayları',
+ 'duration' => 'Süre',
+ 'end_time' => 'Bitiş Zamanı',
+ 'end' => 'Bitiş',
+ 'invoiced' => 'Faturalandı',
+ 'logged' => 'Loglandı',
+ 'running' => 'Çalışıyor',
+ 'task_error_multiple_clients' => 'Görevler farklı müşterilere ait olamaz',
+ 'task_error_running' => 'Lütfen önce çalışan görevleri duldurun',
+ 'task_error_invoiced' => 'Görevler daha önce fatura edildi',
+ 'restored_task' => 'Görev başarıyla geri yüklendi',
+ 'archived_task' => 'Görev başarıyla arşivlendi',
+ 'archived_tasks' => 'Arşivlenen görev sayısı :count',
+ 'deleted_task' => 'Görev başarıyla silindi',
+ 'deleted_tasks' => 'Silinen görev sayısı :count',
+ 'create_task' => 'Görev Oluştur',
+ 'stopped_task' => 'Görev başarıyla durduruldu',
+ 'invoice_task' => 'Fatura Görevi',
+ 'invoice_labels' => 'Fatura Etiketleri',
+ 'prefix' => 'Seri',
+ 'counter' => 'Sayaç',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => 'Dwolla\'ya kayıt olmak için tıklayın :link',
+ 'partial_value' => 'Sıfırdan büyük olmalı ve toplamdan daha az olmalı',
+ 'more_actions' => 'Diğer İşlemler',
+ 'pro_plan_title' => 'NINJA PRO',
+ 'pro_plan_call_to_action' => 'Şimdi Yükselt!',
+ 'pro_plan_feature1' => 'Sınırsız Müşteri Oluşturun',
+ 'pro_plan_feature2' => '10 Güzel Fatura Tasarımına Erişim',
+ 'pro_plan_feature3' => 'Özel URLler - "Markaniz.InvoiceNinja.com"',
+ 'pro_plan_feature4' => '"Created by Invoice Ninja" Yazısını Kaldır',
+ 'pro_plan_feature5' => 'Çok kullanıcılı Erişim & Etkinlik İzleme',
+ 'pro_plan_feature6' => 'Teklifler ve Proforma Faturalar Oluşturun',
+ 'pro_plan_feature7' => 'Fatura Alan Başlıklarını ve Numaralandırmayı Özelleştirin',
+ 'pro_plan_feature8' => 'PDF\'leri Müşteri E-postalarına Ekleme Seçeneği',
+ 'resume' => 'Devam Et',
+ 'break_duration' => 'Durdur',
+ 'edit_details' => 'Edit Details',
+ 'work' => 'İş',
+ 'timezone_unset' => 'Lütfen zaman dilimini ayarlamak için tıklayın :link',
+ 'click_here' => 'buraya tıklayın',
+ 'email_receipt' => 'Ödeme makbuzunu müşteriye e-postayla gönder',
+ 'created_payment_emailed_client' => 'Ödeme oluşturuldu ve müşteriye e-posta gönderildi',
+ 'add_company' => 'Firma Ekle',
+ 'untitled' => 'Başlıksız',
+ 'new_company' => 'Yeni Firma',
+ 'associated_accounts' => 'Hesaplar başarıyla bağlantılandı',
+ 'unlinked_account' => 'Hesapların bağlantısı başarıyla kesildi',
+ 'login' => 'Oturum aç',
+ 'or' => 'veya',
+ 'email_error' => 'E-posta gönderilirken bir sorun oluştu.',
+ 'confirm_recurring_timing' => 'Not: E-postalar saat başında gönderildi.',
+ 'confirm_recurring_timing_not_sent' => 'Note: invoices are created at the start of the hour.',
+ 'payment_terms_help' => 'Varsayılan fatura ödeme tarihini ayarlar',
+ 'unlink_account' => 'Hesap Bağlantısını Kaldır',
+ 'unlink' => 'Bağlantısını kaldır',
+ 'show_address' => 'Adresi Göster',
+ 'show_address_help' => 'Müşterinin faturalandırma adresini sağlamasını şart koş',
+ 'update_address' => 'Adresi Güncelle',
+ 'update_address_help' => 'Müşterinin adresini verilen ayrıntılarla güncelleyin',
+ 'times' => 'Zamanlar',
+ 'set_now' => 'Şimdiye ayarla',
+ 'dark_mode' => 'Karanlık Mod',
+ 'dark_mode_help' => 'Yan kısımlar için koyu arkaplan kullan',
+ 'add_to_invoice' => ':invoice nolu faturaya ekle',
+ 'create_new_invoice' => 'Yeni fatura oluştur',
+ 'task_errors' => 'Lütfen örtüşen süreleri düzeltin',
+ 'from' => 'Kimden',
+ 'to' => 'Kime',
+ 'font_size' => 'Font Boyutu',
+ 'primary_color' => 'Birincil Renk',
+ 'secondary_color' => 'İkincil Renk',
+ 'customize_design' => 'Dizaynı Özelleştir',
+ 'content' => 'İçerik',
+ 'styles' => 'Stiller',
+ 'defaults' => 'Varsayılanlar',
+ 'margins' => 'Marjlar',
+ 'header' => 'Üstbilgi',
+ 'footer' => 'Altbilgi',
+ 'custom' => 'Özel',
+ 'invoice_to' => 'Faturalanan',
+ 'invoice_no' => 'Fatura No.',
+ 'quote_no' => 'Teklif No.',
+ 'recent_payments' => 'Son Ödemeler',
+ 'outstanding' => 'Ödenmemiş',
+ 'manage_companies' => 'Şirketleri Yönet',
+ 'total_revenue' => 'Toplam Gelir',
+ 'current_user' => 'Şu anki kullanıcı',
+ 'new_recurring_invoice' => 'Yeni Tekrarlayan Fatura',
+ 'recurring_invoice' => 'Tekrarlayan Fatura',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => 'Bir sonraki yinelenen faturanın oluşturulmasına çok az kaldı, :date için planlandı.',
+ 'created_by_invoice' => 'Tarafından oluşturulan :invoice',
+ 'primary_user' => 'Birincil Kullanıcı',
+ 'help' => 'Yardım',
+ 'customize_help' => 'We use :pdfmake_link to define the invoice designs declaratively. The pdfmake :playground_link provides a great way to see the library in action.
+ If you need help figuring something out post a question to our :forum_link with the design you\'re using.
',
+ 'playground' => 'playground',
+ 'support_forum' => 'support forum',
+ 'invoice_due_date' => 'Vade',
+ 'quote_due_date' => 'Geçerlilik Tarihi',
+ 'valid_until' => 'Geçerlilik Tarihi',
+ 'reset_terms' => 'Koşulları sıfırla',
+ 'reset_footer' => 'Altbilgiyi sıfırla',
+ 'invoice_sent' => ':count fatura gönderildi',
+ 'invoices_sent' => ':count fatura gönderildi',
+ 'status_draft' => 'Taslak',
+ 'status_sent' => 'Gönderilen',
+ 'status_viewed' => 'Görüntülenen',
+ 'status_partial' => 'Kısmi',
+ 'status_paid' => 'Ödenen',
+ 'status_unpaid' => 'Unpaid',
+ 'status_all' => 'All',
+ 'show_line_item_tax' => 'Kalem bazında vergiyi satırda göster',
+ 'iframe_url' => 'Web adresi',
+ 'iframe_url_help1' => 'Aşağıdaki kodu sitenizdeki bir sayfaya kopyalayın.',
+ 'iframe_url_help2' => 'Bir fatura için \'Alıcı olarak göster\' i tıklayarak özelliği test edebilirsiniz.',
+ 'auto_bill' => 'Otomatik Fatura',
+ 'military_time' => '24 Saat Zaman Biçimi',
+ 'last_sent' => 'Son Gönderilen',
+ 'reminder_emails' => 'Hatırlatıcı E-postalar',
+ 'templates_and_reminders' => 'Şablonlar & Hatırlatmalar',
+ 'subject' => 'Konu',
+ 'body' => 'Gövde',
+ 'first_reminder' => 'İlk Hatırlatıcı',
+ 'second_reminder' => 'İkinci Hatırlatıcı',
+ 'third_reminder' => 'Üçüncü Hatırlatıcı',
+ 'num_days_reminder' => 'Vadesi geçen gün sayısı',
+ 'reminder_subject' => 'Hatırlatıcı: :account hesabından :invoice nolu fatura',
+ 'reset' => 'Sıfırla',
+ 'invoice_not_found' => 'İstenen fatura mevcut değil',
+ 'referral_program' => 'Yönlendirme Programı',
+ 'referral_code' => 'Yönlendiren URL',
+ 'last_sent_on' => 'Son Gönderilme Tarihi :date',
+ 'page_expire' => 'Bu sayfanın süresi yakında dolacak, çalışmaya devam etmek için linki tıklayın :click_here',
+ 'upcoming_quotes' => 'Tarihi Yaklaşan Teklifler',
+ 'expired_quotes' => 'Tarihi Dolan Teklifler',
+ 'sign_up_using' => 'Şunu kullanarak kayıt olun',
+ 'invalid_credentials' => 'Bu kimlik bilgileri kayıtlarımızla uyuşmuyor',
+ 'show_all_options' => 'Tüm seçenekleri göster',
+ 'user_details' => 'Kullanıcı Detayları',
+ 'oneclick_login' => 'Connected Account',
+ 'disable' => 'Devre dışı bırak',
+ 'invoice_quote_number' => 'Fatura ve Teklif Numaraları',
+ 'invoice_charges' => 'Invoice Surcharges',
+ 'notification_invoice_bounced' => ':invoice nolu faturayı :contact yetkilisine teslim edemedik.',
+ 'notification_invoice_bounced_subject' => ':invoice nolu fatura teslim edilemedi',
+ 'notification_quote_bounced' => ':invoice nolu Teklifi :contact yetkilisine teslim edemedik.',
+ 'notification_quote_bounced_subject' => ':invoice nolu Teklif teslim edilemedi',
+ 'custom_invoice_link' => 'Özel Fatura Bağlantısı',
+ 'total_invoiced' => 'Toplam Faturalanan',
+ 'open_balance' => 'Açık bakiye',
+ 'verify_email' => 'Lütfen e-posta adresinizi doğrulamak için hesap onay e-postasındaki bağlantıyı ziyaret edin.',
+ 'basic_settings' => 'Temel Ayarlar',
+ 'pro' => 'Pro',
+ 'gateways' => 'Ödeme Sistemleri',
+ 'next_send_on' => 'Sonraki gönderme tarihi :date',
+ 'no_longer_running' => 'Bu fatura çalışacak şekilde planlanmamış',
+ 'general_settings' => 'Genel Ayarlar',
+ 'customize' => 'Özelleştir',
+ 'oneclick_login_help' => 'Şifre olmadan giriş yapmak için bir hesap bağlayın',
+ 'referral_code_help' => 'Uygulamamızı çevrimiçi paylaşarak para kazanın',
+ 'enable_with_stripe' => 'Etkinleştir | Stripe Gerektirir',
+ 'tax_settings' => 'Vergi Ayarları',
+ 'create_tax_rate' => 'Vergi Oranı Ekle',
+ 'updated_tax_rate' => 'Vergi oranı başarıyla güncellendi',
+ 'created_tax_rate' => 'Vergi oranı başarıyla oluşturuldu',
+ 'edit_tax_rate' => 'Vergi oranı düzenle',
+ 'archive_tax_rate' => 'Vergi Oranını Arşivle',
+ 'archived_tax_rate' => 'Vergi oranı başarıyla arşivlendi',
+ 'default_tax_rate_id' => 'Varsayılan Vergi Oranı',
+ 'tax_rate' => 'Vergi Oranı',
+ 'recurring_hour' => 'Tekrarlanma Saati',
+ 'pattern' => 'Numara Yapısı',
+ 'pattern_help_title' => 'Numara Yapısı Yardım',
+ 'pattern_help_1' => 'Create custom numbers by specifying a pattern',
+ 'pattern_help_2' => 'Kullanılabilecek değişkenler:',
+ 'pattern_help_3' => 'Örneğin, :example değerleri :value olarak geri dönecektir.',
+ 'see_options' => 'Seçenekleri gör',
+ 'invoice_counter' => 'Fatura Sayacı',
+ 'quote_counter' => 'Teklif Sayacı',
+ 'type' => 'Tür',
+ 'activity_1' => ':user :client müşteri hesabını oluşturdu',
+ 'activity_2' => ':user :client müşteri hesabını arşivledi',
+ 'activity_3' => ':user :client müştei hesabını sildi',
+ 'activity_4' => ':user :invoice nolu faturayı oluşturdu',
+ 'activity_5' => ':user :invoice nolu faturayı güncelledi',
+ 'activity_6' => ':user :invoice nolu faturayı :contact adlı yetkiliye gönderdi',
+ 'activity_7' => ':contact adlı yetkili :invoice nolu faturayı görüntüledi',
+ 'activity_8' => ':user :invoice nolu faturayı arşivledi',
+ 'activity_9' => ':user :invoice nolu faturayı sildi',
+ 'activity_10' => ':contact adlı yetkili :invoice nolu fatura için :payment tutarında ödeme girdi',
+ 'activity_11' => ':user :payment tutarlı ödemeyi güncelledi',
+ 'activity_12' => ':user :payment tutarlı ödemeyi arşivledi',
+ 'activity_13' => ':user :payment tutarlı ödemeyi sildi',
+ 'activity_14' => ':user :credit kredi girdi',
+ 'activity_15' => ':user :credit kredi güncelledi',
+ 'activity_16' => ':user :credit kredi arşivledi',
+ 'activity_17' => ':user :credit kredi sildi',
+ 'activity_18' => ':user :quote nolu teklifi oluşturdu',
+ 'activity_19' => ':user :quote nolu teklifi güncelledi',
+ 'activity_20' => ':user :quote nolu teklifi :contact adlı yetkiliye gönderdi',
+ 'activity_21' => ':contact adlı yetkili :quote nolu teklifi görüntüledi',
+ 'activity_22' => ':user :quote nolu teklifi arşivledi',
+ 'activity_23' => ':user :quote nolu teklifi sildi',
+ 'activity_24' => ':user :quote nolu teklifi geri yükledi',
+ 'activity_25' => ':user :invoice nolu faturayı geri yükledi',
+ 'activity_26' => ':user :client müşterisini geri yükledi',
+ 'activity_27' => ':user :payment tutarında ödemeyi geri yükledi',
+ 'activity_28' => ':user :credit kredisini geri yükledi',
+ 'activity_29' => ':contact adlı yetkili :quote nolu teklifi onayladı',
+ 'activity_30' => ':user :vendor satıcısını oluşturdu',
+ 'activity_31' => ':user :vendor satıcısını arşivledi',
+ 'activity_32' => ':user :vendor satıcısını sildi',
+ 'activity_33' => ':user :vendor satıcısını geri yükledi',
+ 'activity_34' => ':user masraf oluşturdu :expense',
+ 'activity_35' => ':user masraf arşivledi :expense',
+ 'activity_36' => ':user masraf sildi :expense',
+ 'activity_37' => ':user masraf geri yükledi :expense',
+ 'activity_42' => ':user :task görevini oluşturdu',
+ 'activity_43' => ':user :task görevini güncelledi',
+ 'activity_44' => ':user :task görevini arşivledi',
+ 'activity_45' => ':user :task görevini sildi',
+ 'activity_46' => ':user :task görevini geri yükledi',
+ 'activity_47' => ':user masraf güncelledi :expense',
+ 'payment' => 'Ödeme',
+ 'system' => 'Sistem',
+ 'signature' => 'E-posta İmzası',
+ 'default_messages' => 'Varsayılan Mesajlar',
+ 'quote_terms' => 'Teklif Şartları',
+ 'default_quote_terms' => 'Varsayılan Teklif Şartları',
+ 'default_invoice_terms' => 'Varsayılan Fatura Şartları',
+ 'default_invoice_footer' => 'Varsayılan Fatura Altbilgisi',
+ 'quote_footer' => 'Teklif Altbilgisi',
+ 'free' => 'Ücretsiz',
+ 'quote_is_approved' => 'Successfully approved',
+ 'apply_credit' => 'Kredi Uygula',
+ 'system_settings' => 'Sistem Ayarları',
+ 'archive_token' => 'Token Arşivle',
+ 'archived_token' => 'Token başarıyla arşivlendi',
+ 'archive_user' => 'Kullanıcı Arşivle',
+ 'archived_user' => 'Kullanıcı başarıyla arşivlendi',
+ 'archive_account_gateway' => 'Ödeme Sistemi Arşivle',
+ 'archived_account_gateway' => 'Ödeme sistemi başarıyla arşivlendi',
+ 'archive_recurring_invoice' => 'Tekrarlayan Fatura Arşivle',
+ 'archived_recurring_invoice' => 'Tekrarlayan fatura başarıyla arşivlendi',
+ 'delete_recurring_invoice' => 'Tekrarlayan Fatura Sil',
+ 'deleted_recurring_invoice' => 'Tekrarlayan fatura başarıyla silindi',
+ 'restore_recurring_invoice' => 'Tekrarlayan Fatura Geri Yükle',
+ 'restored_recurring_invoice' => 'Tekrarlayan fatura başarıyla geri yüklendi',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => 'Arşivlendi',
+ 'untitled_account' => 'Başlıksız Firma',
+ 'before' => 'Önce',
+ 'after' => 'Sonra',
+ 'reset_terms_help' => 'Varsayılan hesap şartlarına sıfırla',
+ 'reset_footer_help' => 'Varsayılan hesap altbilgisine sıfırla',
+ 'export_data' => 'Veriyi Dışa Aktar',
+ 'user' => 'Kullanıcı',
+ 'country' => 'Ülke',
+ 'include' => 'Dahil et',
+ 'logo_too_large' => 'Logonuz :size, daha iyi PDF performansı için, 200 KB\'den daha az bir resim dosyası yüklemenizi öneririz.',
+ 'import_freshbooks' => 'FreshBooks\'tan İçe Aktar',
+ 'import_data' => 'Verileri İçe Aktar',
+ 'source' => 'Kaynak',
+ 'csv' => 'CSV',
+ 'client_file' => 'Müşteri Dosyası',
+ 'invoice_file' => 'Fatura Dosyası',
+ 'task_file' => 'Görev Dosyası',
+ 'no_mapper' => 'Dosya için geçerli eşleştirme yok',
+ 'invalid_csv_header' => 'Geçersiz CSV Başlığı',
+ 'client_portal' => 'Müşteri Portalı',
+ 'admin' => 'Admin',
+ 'disabled' => 'Devre Dışı',
+ 'show_archived_users' => 'Arşivlenmiş kullanıcıları göster',
+ 'notes' => 'Notlar',
+ 'invoice_will_create' => 'invoice will be created',
+ 'invoices_will_create' => 'faturalar oluşturulacak',
+ 'failed_to_import' => 'Aşağıdaki kayıtlar içe aktarılamadı, bunlar zaten mevcut veya gerekli alanlar eksik.',
+ 'publishable_key' => 'Yayınlanabilir Anahtar',
+ 'secret_key' => 'Gizli anahtar',
+ 'missing_publishable_key' => 'Geliştirilmiş bir ödeme işlemi için Stripe yayınlanabilir anahtarını ayarlayın.',
+ 'email_design' => 'E-Posta Dizaynı',
+ 'due_by' => ':date tarihi itibariyle',
+ 'enable_email_markup' => 'İşaretlemeyi Etkinleştir',
+ 'enable_email_markup_help' => 'Müşterilerinizin e-postalarınıza schema.org işaretleme ekleyerek ödeme yapmalarını kolaylaştırın.',
+ 'template_help_title' => 'Şablon Yardım',
+ 'template_help_1' => 'Kullanılabilir değişkenler:',
+ 'email_design_id' => 'E-posta Stili',
+ 'email_design_help' => 'E-postalarınızı HTML düzenleriyle daha profesyonel hale getirin.',
+ 'plain' => 'Düz',
+ 'light' => 'Aydınlık',
+ 'dark' => 'Koyu',
+ 'industry_help' => 'Benzer boyut ve sektöre sahip şirketlerin ortalamalarına kıyasla karşılaştırma yapmak için kullanılır.',
+ 'subdomain_help' => 'Set the subdomain or display the invoice on your own website.',
+ 'website_help' => 'Display the invoice in an iFrame on your own website',
+ 'invoice_number_help' => 'Bir seri belirtin veya fatura numarasını dinamik olarak ayarlamak için özel bir kod yapısı kullanın.',
+ 'quote_number_help' => 'Bir seri belirtin veya teklif numarasını dinamik olarak ayarlamak için özel bir kod yapısı kullanın.',
+ 'custom_client_fields_helps' => 'Add a field when creating a client and optionally display the label and value on the PDF.',
+ 'custom_account_fields_helps' => 'PDF\'nin şirket bilgileri bölümüne bir başlık ve değer ekleyin.',
+ 'custom_invoice_fields_helps' => 'Add a field when creating an invoice and optionally display the label and value on the PDF.',
+ 'custom_invoice_charges_helps' => 'Bir fatura oluştururken bir alan ekleyin ve ücreti fatura alt toplamlarına ekleyin.',
+ 'token_expired' => 'Doğrulama kodunun süresi doldu. Lütfen tekrar deneyin.',
+ 'invoice_link' => 'Fatura Bağlantısı',
+ 'button_confirmation_message' => 'E-posta adresinizi onaylamak için tıklayın.',
+ 'confirm' => 'Onayla',
+ 'email_preferences' => 'E-posta Tercihleri',
+ 'created_invoices' => ':count adet fatura başarıyla oluşturuldu',
+ 'next_invoice_number' => 'Sonraki fatura numarası :number',
+ 'next_quote_number' => 'Sonraki teklif numarası :number',
+ 'days_before' => 'days before the',
+ 'days_after' => 'days after the',
+ 'field_due_date' => 'vade',
+ 'field_invoice_date' => 'fatura tarihi',
+ 'schedule' => 'program',
+ 'email_designs' => 'E-posta Dizaynları',
+ 'assigned_when_sent' => 'Gönderildiğinde atanır',
+ 'white_label_purchase_link' => 'Beyaz etiket lisansı satın al',
+ 'expense' => 'Gider',
+ 'expenses' => 'Giderler',
+ 'new_expense' => 'Gider Girişi',
+ 'enter_expense' => 'Gider Girişi',
+ 'vendors' => 'Tedarikçiler',
+ 'new_vendor' => 'Yeni Tedarikçi',
+ 'payment_terms_net' => 'Net',
+ 'vendor' => 'Tedarikçi',
+ 'edit_vendor' => 'Tedarikçiyi Düzenle',
+ 'archive_vendor' => 'Tedarikçiyi Arşivle',
+ 'delete_vendor' => 'Tedarikçiyi Sil',
+ 'view_vendor' => 'Tedarikçiyi Gör',
+ 'deleted_expense' => 'Gider başarıyla silindi',
+ 'archived_expense' => 'Gider başarıyla arşivlendi',
+ 'deleted_expenses' => 'Giderler başarıyla silindi',
+ 'archived_expenses' => 'Giderler başarıyla arşivlendi',
+ 'expense_amount' => 'Gider Miktarı',
+ 'expense_balance' => 'Expense Balance',
+ 'expense_date' => 'Gider Tarihi',
+ 'expense_should_be_invoiced' => 'Bu gider faturalandırılmalı mı?',
+ 'public_notes' => 'Açık Notlar',
+ 'invoice_amount' => 'Fatura Tutarı',
+ 'exchange_rate' => 'Döviz Kuru',
+ 'yes' => 'Evet',
+ 'no' => 'Hayır',
+ 'should_be_invoiced' => 'Faturalanmalı mı',
+ 'view_expense' => 'Gideri gör # :expense',
+ 'edit_expense' => 'Gideri Düzenle',
+ 'archive_expense' => 'Gideri Arşivle',
+ 'delete_expense' => 'Delete Expense',
+ 'view_expense_num' => 'Expense # :expense',
+ 'updated_expense' => 'Successfully updated expense',
+ 'created_expense' => 'Successfully created expense',
+ 'enter_expense' => 'Gider Girişi',
+ 'view' => 'Görüntüle',
+ 'restore_expense' => 'Restore Expense',
+ 'invoice_expense' => 'Invoice Expense',
+ 'expense_error_multiple_clients' => 'The expenses can\'t belong to different clients',
+ 'expense_error_invoiced' => 'Expense has already been invoiced',
+ 'convert_currency' => 'Convert currency',
+ 'num_days' => 'Number of Days',
+ 'create_payment_term' => 'Create Payment Term',
+ 'edit_payment_terms' => 'Edit Payment Term',
+ 'edit_payment_term' => 'Edit Payment Term',
+ 'archive_payment_term' => 'Archive Payment Term',
+ 'recurring_due_dates' => 'Recurring Invoice Due Dates',
+ '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.
+
+
',
+ 'due' => 'Due',
+ 'next_due_on' => 'Due Next: :date',
+ 'use_client_terms' => 'Use client terms',
+ 'day_of_month' => ':ordinal day of month',
+ 'last_day_of_month' => 'Last day of month',
+ 'day_of_week_after' => ':ordinal :day after',
+ 'sunday' => 'Sunday',
+ 'monday' => 'Monday',
+ 'tuesday' => 'Tuesday',
+ 'wednesday' => 'Wednesday',
+ 'thursday' => 'Thursday',
+ 'friday' => 'Friday',
+ 'saturday' => 'Saturday',
+ 'header_font_id' => 'Header Font',
+ 'body_font_id' => 'Body Font',
+ 'color_font_help' => 'Note: the primary color and fonts are also used in the client portal and custom email designs.',
+ 'live_preview' => 'Live Preview',
+ 'invalid_mail_config' => 'Unable to send email, please check that the mail settings are correct.',
+ 'invoice_message_button' => 'To view your invoice for :amount, click the button below.',
+ 'quote_message_button' => 'To view your quote for :amount, click the button below.',
+ 'payment_message_button' => 'Thank you for your payment of :amount.',
+ 'payment_type_direct_debit' => 'Direct Debit',
+ 'bank_accounts' => 'Credit Cards & Banks',
+ 'add_bank_account' => 'Add Bank Account',
+ 'setup_account' => 'Hesap Kurulumu',
+ 'import_expenses' => 'Import Expenses',
+ 'bank_id' => 'Banka',
+ 'integration_type' => 'Entegrasyon Tipi',
+ 'updated_bank_account' => 'Banka hesabı başarıyla güncellendi',
+ 'edit_bank_account' => 'Banka Hesabını Düzenle',
+ 'archive_bank_account' => 'Banka Hesabını Arşivle',
+ 'archived_bank_account' => 'Successfully archived bank account',
+ 'created_bank_account' => 'Successfully created bank account',
+ 'validate_bank_account' => 'Validate Bank Account',
+ 'bank_password_help' => 'Note: your password is transmitted securely and never stored on our servers.',
+ 'bank_password_warning' => 'Warning: your password may be transmitted in plain text, consider enabling HTTPS.',
+ 'username' => 'Kullanıcı Adı',
+ 'account_number' => 'Hesap Numarası',
+ 'account_name' => 'Hesap Adı',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => 'Approved',
+ 'quote_settings' => 'Quote Settings',
+ 'auto_convert_quote' => 'Auto Convert',
+ 'auto_convert_quote_help' => 'Automatically convert a quote to an invoice when approved by a client.',
+ 'validate' => 'Validate',
+ 'info' => 'Info',
+ 'imported_expenses' => 'Successfully created :count_vendors vendor(s) and :count_expenses expense(s)',
+ 'iframe_url_help3' => 'Note: if you plan on accepting credit cards details we strongly recommend enabling HTTPS on your site.',
+ 'expense_error_multiple_currencies' => 'The expenses can\'t have different currencies.',
+ 'expense_error_mismatch_currencies' => 'The client\'s currency does not match the expense currency.',
+ 'trello_roadmap' => 'Trello Roadmap',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => 'First page',
+ 'all_pages' => 'All pages',
+ 'last_page' => 'Last page',
+ 'all_pages_header' => 'Show Header on',
+ 'all_pages_footer' => 'Show Footer on',
+ 'invoice_currency' => 'Invoice Currency',
+ 'enable_https' => 'We strongly recommend using HTTPS to accept credit card details online.',
+ 'quote_issued_to' => 'Quote issued to',
+ 'show_currency_code' => 'Currency Code',
+ 'free_year_message' => 'Your account has been upgraded to the pro plan for one year at no cost.',
+ 'trial_message' => 'Your account will receive a free two week trial of our pro plan.',
+ 'trial_footer' => 'Your free pro plan trial lasts :count more days, :link to upgrade now.',
+ 'trial_footer_last_day' => 'This is the last day of your free pro plan trial, :link to upgrade now.',
+ 'trial_call_to_action' => 'Start Free Trial',
+ 'trial_success' => 'Successfully enabled two week free pro plan trial',
+ 'overdue' => 'Overdue',
+
+
+ 'white_label_text' => 'Purchase a ONE YEAR white label license for $:price to remove the Invoice Ninja branding from the invoice and client portal.',
+ 'user_email_footer' => 'To adjust your email notification settings please visit :link',
+ 'reset_password_footer' => 'If you did not request this password reset please email our support: :email',
+ 'limit_users' => 'Sorry, this will exceed the limit of :limit users',
+ 'more_designs_self_host_header' => 'Get 6 more invoice designs for just $:price',
+ 'old_browser' => 'Please use a :link',
+ 'newer_browser' => 'newer browser',
+ 'white_label_custom_css' => ':link for $:price to enable custom styling and help support our project.',
+ 'bank_accounts_help' => 'Connect a bank account to automatically import expenses and create vendors. Supports American Express and :link.',
+ 'us_banks' => '400+ US banks',
+
+ 'pro_plan_remove_logo' => ':link to remove the Invoice Ninja logo by joining the Pro Plan',
+ 'pro_plan_remove_logo_link' => 'Click here',
+ 'invitation_status_sent' => 'Sent',
+ 'invitation_status_opened' => 'Opened',
+ 'invitation_status_viewed' => 'Viewed',
+ 'email_error_inactive_client' => 'Emails can not be sent to inactive clients',
+ 'email_error_inactive_contact' => 'Emails can not be sent to inactive contacts',
+ 'email_error_inactive_invoice' => 'Emails can not be sent to inactive invoices',
+ 'email_error_inactive_proposal' => 'Emails can not be sent to inactive proposals',
+ 'email_error_user_unregistered' => 'Please register your account to send emails',
+ 'email_error_user_unconfirmed' => 'Please confirm your account to send emails',
+ 'email_error_invalid_contact_email' => 'Invalid contact email',
+
+ 'navigation' => 'Navigation',
+ 'list_invoices' => 'List Invoices',
+ 'list_clients' => 'List Clients',
+ 'list_quotes' => 'List Quotes',
+ 'list_tasks' => 'List Tasks',
+ 'list_expenses' => 'List Expenses',
+ 'list_recurring_invoices' => 'List Recurring Invoices',
+ 'list_payments' => 'List Payments',
+ 'list_credits' => 'List Credits',
+ 'tax_name' => 'Tax Name',
+ 'report_settings' => 'Report Settings',
+ 'search_hotkey' => 'shortcut is /',
+
+ 'new_user' => 'New User',
+ 'new_product' => 'New Product',
+ 'new_tax_rate' => 'New Tax Rate',
+ 'invoiced_amount' => 'Invoiced Amount',
+ 'invoice_item_fields' => 'Invoice Item Fields',
+ 'custom_invoice_item_fields_help' => 'Add a field when creating an invoice item and display the label and value on the PDF.',
+ 'recurring_invoice_number' => 'Recurring Number',
+ 'recurring_invoice_number_prefix_help' => 'Speciy a prefix to be added to the invoice number for recurring invoices.',
+
+ // Client Passwords
+ 'enable_portal_password' => 'Password Protect Invoices',
+ 'enable_portal_password_help' => 'Allows you to set a password for each contact. If a password is set, the contact will be required to enter a password before viewing invoices.',
+ 'send_portal_password' => 'Generate Automatically',
+ 'send_portal_password_help' => 'If no password is set, one will be generated and sent with the first invoice.',
+
+ 'expired' => 'Expired',
+ 'invalid_card_number' => 'The credit card number is not valid.',
+ 'invalid_expiry' => 'The expiration date is not valid.',
+ 'invalid_cvv' => 'The CVV is not valid.',
+ 'cost' => 'Cost',
+ 'create_invoice_for_sample' => 'Note: create your first invoice to see a preview here.',
+
+ // User Permissions
+ 'owner' => 'Owner',
+ 'administrator' => 'Administrator',
+ 'administrator_help' => 'Allow user to manage users, change settings and modify all records',
+ 'user_create_all' => 'Create clients, invoices, etc.',
+ 'user_view_all' => 'View all clients, invoices, etc.',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link to sign up for Sage Pay.',
+ 'gateway_help_21' => ':link to sign up for Sage Pay.',
+ 'partial_due' => 'Partial Due',
+ 'restore_vendor' => 'Restore Vendor',
+ 'restored_vendor' => 'Successfully restored vendor',
+ 'restored_expense' => 'Successfully restored expense',
+ 'permissions' => 'Permissions',
+ 'create_all_help' => 'Allow user to create and modify records',
+ 'view_all_help' => 'Allow user to view records they didn\'t create',
+ 'edit_all_help' => 'Allow user to modify records they didn\'t create',
+ 'view_payment' => 'View Payment',
+
+ 'january' => 'Ocak',
+ 'february' => 'Şubat',
+ 'march' => 'Mart',
+ 'april' => 'Nisan',
+ 'may' => 'Mayıs',
+ 'june' => 'Haziran',
+ 'july' => 'Temmuz',
+ 'august' => 'Ağustos',
+ 'september' => 'Eylül',
+ 'october' => 'Ekim',
+ 'november' => 'Kasım',
+ 'december' => 'Aralık',
+
+ // Documents
+ 'documents_header' => 'Dökümanlar:',
+ 'email_documents_header' => 'Dökümanlar:',
+ 'email_documents_example_1' => 'Widgets Receipt.pdf',
+ 'email_documents_example_2' => 'Final Deliverable.zip',
+ 'quote_documents' => 'Quote Documents',
+ 'invoice_documents' => 'Invoice Documents',
+ 'expense_documents' => 'Expense Documents',
+ 'invoice_embed_documents' => 'Embed Documents',
+ 'invoice_embed_documents_help' => 'Include attached images in the invoice.',
+ 'document_email_attachment' => 'Attach Documents',
+ 'ubl_email_attachment' => 'Attach UBL',
+ 'download_documents' => 'Download Documents (:size)',
+ 'documents_from_expenses' => 'From Expenses:',
+ 'dropzone_default_message' => 'Drop files or click to upload',
+ 'dropzone_fallback_message' => 'Your browser does not support drag\'n\'drop file uploads.',
+ 'dropzone_fallback_text' => 'Please use the fallback form below to upload your files like in the olden days.',
+ 'dropzone_file_too_big' => 'File is too big ({{filesize}}MiB). Max filesize: {{maxFilesize}}MiB.',
+ 'dropzone_invalid_file_type' => 'You can\'t upload files of this type.',
+ 'dropzone_response_error' => 'Server responded with {{statusCode}} code.',
+ 'dropzone_cancel_upload' => 'Cancel upload',
+ 'dropzone_cancel_upload_confirmation' => 'Are you sure you want to cancel this upload?',
+ 'dropzone_remove_file' => 'Remove file',
+ 'documents' => 'Documents',
+ 'document_date' => 'Document Date',
+ 'document_size' => 'Size',
+
+ 'enable_client_portal' => 'Client Portal',
+ 'enable_client_portal_help' => 'Show/hide the client portal.',
+ 'enable_client_portal_dashboard' => 'Dashboard',
+ 'enable_client_portal_dashboard_help' => 'Show/hide the dashboard page in the client portal.',
+
+ // Plans
+ 'account_management' => 'Account Management',
+ 'plan_status' => 'Plan Status',
+
+ 'plan_upgrade' => 'Upgrade',
+ 'plan_change' => 'Change Plan',
+ 'pending_change_to' => 'Changes To',
+ 'plan_changes_to' => ':plan on :date',
+ 'plan_term_changes_to' => ':plan (:term) on :date',
+ 'cancel_plan_change' => 'Cancel Change',
+ 'plan' => 'Plan',
+ 'expires' => 'Expires',
+ 'renews' => 'Renews',
+ 'plan_expired' => ':plan Plan Expired',
+ 'trial_expired' => ':plan Plan Trial Ended',
+ 'never' => 'Never',
+ 'plan_free' => 'Free',
+ 'plan_pro' => 'Pro',
+ 'plan_enterprise' => 'Enterprise',
+ 'plan_white_label' => 'Self Hosted (White labeled)',
+ 'plan_free_self_hosted' => 'Self Hosted (Free)',
+ 'plan_trial' => 'Trial',
+ 'plan_term' => 'Term',
+ 'plan_term_monthly' => 'Monthly',
+ 'plan_term_yearly' => 'Yearly',
+ 'plan_term_month' => 'Month',
+ 'plan_term_year' => 'Year',
+ 'plan_price_monthly' => '$:price/Month',
+ 'plan_price_yearly' => '$:price/Year',
+ 'updated_plan' => 'Updated plan settings',
+ 'plan_paid' => 'Term Started',
+ 'plan_started' => 'Plan Started',
+ 'plan_expires' => 'Plan Expires',
+
+ 'white_label_button' => 'White Label',
+
+ 'pro_plan_year_description' => 'One year enrollment in the Invoice Ninja Pro Plan.',
+ 'pro_plan_month_description' => 'One month enrollment in the Invoice Ninja Pro Plan.',
+ 'enterprise_plan_product' => 'Enterprise Plan',
+ 'enterprise_plan_year_description' => 'One year enrollment in the Invoice Ninja Enterprise Plan.',
+ 'enterprise_plan_month_description' => 'One month enrollment in the Invoice Ninja Enterprise Plan.',
+ 'plan_credit_product' => 'Credit',
+ 'plan_credit_description' => 'Credit for unused time',
+ 'plan_pending_monthly' => 'Will switch to monthly on :date',
+ 'plan_refunded' => 'A refund has been issued.',
+
+ 'live_preview' => 'Live Preview',
+ 'page_size' => 'Page Size',
+ 'live_preview_disabled' => 'Live preview has been disabled to support selected font',
+ 'invoice_number_padding' => 'Padding',
+ 'preview' => 'Preview',
+ 'list_vendors' => 'List Vendors',
+ 'add_users_not_supported' => 'Upgrade to the Enterprise plan to add additional users to your account.',
+ 'enterprise_plan_features' => 'The Enterprise plan adds support for multiple users and file attachments, :link to see the full list of features.',
+ 'return_to_app' => 'Return To App',
+
+
+ // Payment updates
+ 'refund_payment' => 'Refund Payment',
+ 'refund_max' => 'Max:',
+ 'refund' => 'Refund',
+ 'are_you_sure_refund' => 'Refund selected payments?',
+ 'status_pending' => 'Pending',
+ 'status_completed' => 'Completed',
+ 'status_failed' => 'Failed',
+ 'status_partially_refunded' => 'Partially Refunded',
+ 'status_partially_refunded_amount' => ':amount Refunded',
+ 'status_refunded' => 'Refunded',
+ 'status_voided' => 'Cancelled',
+ 'refunded_payment' => 'Refunded Payment',
+ 'activity_39' => ':user cancelled a :payment_amount payment :payment',
+ 'activity_40' => ':user refunded :adjustment of a :payment_amount payment :payment',
+ 'card_expiration' => 'Exp: :expires',
+
+ 'card_creditcardother' => 'Unknown',
+ 'card_americanexpress' => 'American Express',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => 'UnionPay',
+ 'card_diners' => 'Diners Club',
+ 'card_discover' => 'Discover',
+ 'card_jcb' => 'JCB',
+ 'card_laser' => 'Laser',
+ 'card_maestro' => 'Maestro',
+ 'card_mastercard' => 'MasterCard',
+ 'card_solo' => 'Solo',
+ 'card_switch' => 'Switch',
+ 'card_visacard' => 'Visa',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => 'Accept US bank transfers',
+ 'stripe_ach_help' => 'ACH support must also be enabled in :link.',
+ 'ach_disabled' => 'Another gateway is already configured for direct debit.',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => 'Client Id',
+ 'secret' => 'Secret',
+ 'public_key' => 'Public Key',
+ 'plaid_optional' => '(optional)',
+ 'plaid_environment_help' => 'When a Stripe test key is given, Plaid\'s development environment (tartan) will be used.',
+ 'other_providers' => 'Other Providers',
+ 'country_not_supported' => 'That country is not supported.',
+ 'invalid_routing_number' => 'The routing number is not valid.',
+ 'invalid_account_number' => 'The account number is not valid.',
+ 'account_number_mismatch' => 'The account numbers do not match.',
+ 'missing_account_holder_type' => 'Please select an individual or company account.',
+ 'missing_account_holder_name' => 'Please enter the account holder\'s name.',
+ 'routing_number' => 'Routing Number',
+ 'confirm_account_number' => 'Confirm Account Number',
+ 'individual_account' => 'Individual Account',
+ 'company_account' => 'Company Account',
+ 'account_holder_name' => 'Account Holder Name',
+ 'add_account' => 'Add Account',
+ 'payment_methods' => 'Payment Methods',
+ 'complete_verification' => 'Complete Verification',
+ 'verification_amount1' => 'Amount 1',
+ 'verification_amount2' => 'Amount 2',
+ 'payment_method_verified' => 'Verification completed successfully',
+ 'verification_failed' => 'Verification Failed',
+ 'remove_payment_method' => 'Remove Payment Method',
+ 'confirm_remove_payment_method' => 'Are you sure you want to remove this payment method?',
+ 'remove' => 'Remove',
+ 'payment_method_removed' => 'Removed payment method.',
+ 'bank_account_verification_help' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement. Please enter the amounts below.',
+ 'bank_account_verification_next_steps' => 'We have made two deposits into your account with the description "VERIFICATION". These deposits will take 1-2 business days to appear on your statement.
+ Once you have the amounts, come back to this payment methods page and click "Complete Verification" next to the account.',
+ 'unknown_bank' => 'Unknown Bank',
+ 'ach_verification_delay_help' => 'You will be able to use the account after completing verification. Verification usually takes 1-2 business days.',
+ 'add_credit_card' => 'Add Credit Card',
+ 'payment_method_added' => 'Added payment method.',
+ 'use_for_auto_bill' => 'Use For Autobill',
+ 'used_for_auto_bill' => 'Autobill Payment Method',
+ 'payment_method_set_as_default' => 'Set Autobill payment method.',
+ 'activity_41' => ':payment_amount payment (:payment) failed',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => 'You must :link.',
+ 'stripe_webhook_help_link_text' => 'add this URL as an endpoint at Stripe',
+ 'gocardless_webhook_help_link_text' => 'add this URL as an endpoint in GoCardless',
+ 'payment_method_error' => 'There was an error adding your payment methd. Please try again later.',
+ 'notification_invoice_payment_failed_subject' => 'Payment failed for Invoice :invoice',
+ 'notification_invoice_payment_failed' => 'A payment made by client :client towards Invoice :invoice failed. The payment has been marked as failed and :amount has been added to the client\'s balance.',
+ 'link_with_plaid' => 'Link Account Instantly with Plaid',
+ 'link_manually' => 'Link Manually',
+ 'secured_by_plaid' => 'Secured by Plaid',
+ 'plaid_linked_status' => 'Your bank account at :bank',
+ 'add_payment_method' => 'Add Payment Method',
+ 'account_holder_type' => 'Account Holder Type',
+ 'ach_authorization' => 'I authorize :company to use my bank account for future payments and, if necessary, electronically credit my account to correct erroneous debits. I understand that I may cancel this authorization at any time by removing the payment method or by contacting :email.',
+ 'ach_authorization_required' => 'You must consent to ACH transactions.',
+ 'off' => 'Off',
+ 'opt_in' => 'Opt-in',
+ 'opt_out' => 'Opt-out',
+ 'always' => 'Always',
+ 'opted_out' => 'Opted out',
+ 'opted_in' => 'Opted in',
+ 'manage_auto_bill' => 'Manage Auto-bill',
+ 'enabled' => 'Enabled',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => 'Enable PayPal payments through BrainTree',
+ 'braintree_paypal_disabled_help' => 'The PayPal gateway is processing PayPal payments',
+ 'braintree_paypal_help' => 'You must also :link.',
+ 'braintree_paypal_help_link_text' => 'link PayPal to your BrainTree account',
+ 'token_billing_braintree_paypal' => 'Save payment details',
+ 'add_paypal_account' => 'Add PayPal Account',
+
+
+ 'no_payment_method_specified' => 'No payment method specified',
+ 'chart_type' => 'Chart Type',
+ 'format' => 'Format',
+ 'import_ofx' => 'Import OFX',
+ 'ofx_file' => 'OFX File',
+ 'ofx_parse_failed' => 'Failed to parse OFX file',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => 'Sign up with WePay',
+ 'use_another_provider' => 'Use another provider',
+ 'company_name' => 'Company Name',
+ 'wepay_company_name_help' => 'This will appear on client\'s credit card statements.',
+ 'wepay_description_help' => 'The purpose of this account.',
+ 'wepay_tos_agree' => 'I agree to the :link.',
+ 'wepay_tos_link_text' => 'WePay Terms of Service',
+ 'resend_confirmation_email' => 'Resend Confirmation Email',
+ 'manage_account' => 'Manage Account',
+ 'action_required' => 'Action Required',
+ 'finish_setup' => 'Finish Setup',
+ 'created_wepay_confirmation_required' => 'Please check your email and confirm your email address with WePay.',
+ 'switch_to_wepay' => 'Switch to WePay',
+ 'switch' => 'Switch',
+ 'restore_account_gateway' => 'Restore Gateway',
+ 'restored_account_gateway' => 'Successfully restored gateway',
+ 'united_states' => 'United States',
+ 'canada' => 'Canada',
+ 'accept_debit_cards' => 'Accept Debit Cards',
+ 'debit_cards' => 'Debit Cards',
+
+ 'warn_start_date_changed' => 'The next invoice will be sent on the new start date.',
+ 'warn_start_date_changed_not_sent' => 'The next invoice will be created on the new start date.',
+ 'original_start_date' => 'Original start date',
+ 'new_start_date' => 'New start date',
+ 'security' => 'Security',
+ 'see_whats_new' => 'See what\'s new in v:version',
+ 'wait_for_upload' => 'Please wait for the document upload to complete.',
+ 'upgrade_for_permissions' => 'Upgrade to our Enterprise plan to enable permissions.',
+ 'enable_second_tax_rate' => 'Enable specifying a second tax rate',
+ 'payment_file' => 'Payment File',
+ 'expense_file' => 'Expense File',
+ 'product_file' => 'Product File',
+ 'import_products' => 'Import Products',
+ 'products_will_create' => 'products will be created',
+ 'product_key' => 'Product',
+ 'created_products' => 'Successfully created/updated :count product(s)',
+ 'export_help' => 'Use JSON if you plan to import the data into Invoice Ninja.
The file includes clients, products, invoices, quotes and payments.',
+ 'selfhost_export_help' => '
We recommend using mysqldump to create a full backup.',
+ 'JSON_file' => 'JSON File',
+
+ 'view_dashboard' => 'View Dashboard',
+ 'client_session_expired' => 'Session Expired',
+ 'client_session_expired_message' => 'Your session has expired. Please click the link in your email again.',
+
+ 'auto_bill_notification' => 'This invoice will automatically be billed to your :payment_method on file on :due_date.',
+ 'auto_bill_payment_method_bank_transfer' => 'bank account',
+ 'auto_bill_payment_method_credit_card' => 'credit card',
+ 'auto_bill_payment_method_paypal' => 'PayPal account',
+ 'auto_bill_notification_placeholder' => 'This invoice will automatically be billed to your credit card on file on the due date.',
+ 'payment_settings' => 'Payment Settings',
+
+ 'on_send_date' => 'On send date',
+ 'on_due_date' => 'On due date',
+ 'auto_bill_ach_date_help' => 'ACH will always auto bill on the due date.',
+ 'warn_change_auto_bill' => 'Due to NACHA rules, changes to this invoice may prevent ACH auto bill.',
+
+ 'bank_account' => 'Bank Account',
+ 'payment_processed_through_wepay' => 'ACH payments will be processed using WePay.',
+ 'wepay_payment_tos_agree' => 'I agree to the WePay :terms and :privacy_policy.',
+ 'privacy_policy' => 'Privacy Policy',
+ 'wepay_payment_tos_agree_required' => 'You must agree to the WePay Terms of Service and Privacy Policy.',
+ 'ach_email_prompt' => 'Please enter your email address:',
+ 'verification_pending' => 'Verification Pending',
+
+ 'update_font_cache' => 'Please force refresh the page to update the font cache.',
+ 'more_options' => 'More options',
+ 'credit_card' => 'Credit Card',
+ 'bank_transfer' => 'Bank Transfer',
+ 'no_transaction_reference' => 'We did not recieve a payment transaction reference from the gateway.',
+ 'use_bank_on_file' => 'Use Bank on File',
+ 'auto_bill_email_message' => 'This invoice will automatically be billed to the payment method on file on the due date.',
+ 'bitcoin' => 'Bitcoin',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => 'Added :date',
+ 'failed_remove_payment_method' => 'Failed to remove the payment method',
+ 'gateway_exists' => 'This gateway already exists',
+ 'manual_entry' => 'Manual entry',
+ 'start_of_week' => 'First Day of the Week',
+
+ // Frequencies
+ 'freq_inactive' => 'Inactive',
+ 'freq_daily' => 'Daily',
+ 'freq_weekly' => 'Weekly',
+ 'freq_biweekly' => 'Biweekly',
+ 'freq_two_weeks' => 'Two weeks',
+ 'freq_four_weeks' => 'Four weeks',
+ 'freq_monthly' => 'Monthly',
+ 'freq_three_months' => 'Three months',
+ 'freq_four_months' => 'Four months',
+ 'freq_six_months' => 'Six months',
+ 'freq_annually' => 'Annually',
+ 'freq_two_years' => 'Two years',
+
+ // Payment types
+ 'payment_type_Apply Credit' => 'Apply Credit',
+ 'payment_type_Bank Transfer' => 'Bank Transfer',
+ 'payment_type_Cash' => 'Cash',
+ 'payment_type_Debit' => 'Debit',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa Card',
+ 'payment_type_MasterCard' => 'MasterCard',
+ 'payment_type_American Express' => 'American Express',
+ 'payment_type_Discover Card' => 'Discover Card',
+ 'payment_type_Diners Card' => 'Diners Card',
+ 'payment_type_EuroCard' => 'EuroCard',
+ 'payment_type_Nova' => 'Nova',
+ 'payment_type_Credit Card Other' => 'Credit Card Other',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google Wallet',
+ 'payment_type_Check' => 'Check',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => 'UnionPay',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser',
+ 'payment_type_Maestro' => 'Maestro',
+ 'payment_type_Solo' => 'Solo',
+ 'payment_type_Switch' => 'Switch',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA Direct Debit',
+ 'payment_type_Bitcoin' => 'Bitcoin',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Restaurant & Catering' => 'Restaurant & Catering',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' => 'Photography',
+
+ // Countries
+ 'country_Afghanistan' => 'Afghanistan',
+ 'country_Albania' => 'Albania',
+ 'country_Antarctica' => 'Antarctica',
+ 'country_Algeria' => 'Algeria',
+ 'country_American Samoa' => 'American Samoa',
+ 'country_Andorra' => 'Andorra',
+ 'country_Angola' => 'Angola',
+ 'country_Antigua and Barbuda' => 'Antigua and Barbuda',
+ 'country_Azerbaijan' => 'Azerbaijan',
+ 'country_Argentina' => 'Argentina',
+ 'country_Australia' => 'Australia',
+ 'country_Austria' => 'Austria',
+ 'country_Bahamas' => 'Bahamas',
+ 'country_Bahrain' => 'Bahrain',
+ 'country_Bangladesh' => 'Bangladesh',
+ 'country_Armenia' => 'Armenia',
+ 'country_Barbados' => 'Barbados',
+ 'country_Belgium' => 'Belgium',
+ 'country_Bermuda' => 'Bermuda',
+ 'country_Bhutan' => 'Bhutan',
+ 'country_Bolivia, Plurinational State of' => 'Bolivia, Plurinational State of',
+ 'country_Bosnia and Herzegovina' => 'Bosnia and Herzegovina',
+ 'country_Botswana' => 'Botswana',
+ 'country_Bouvet Island' => 'Bouvet Island',
+ 'country_Brazil' => 'Brazil',
+ 'country_Belize' => 'Belize',
+ 'country_British Indian Ocean Territory' => 'British Indian Ocean Territory',
+ 'country_Solomon Islands' => 'Solomon Islands',
+ 'country_Virgin Islands, British' => 'Virgin Islands, British',
+ 'country_Brunei Darussalam' => 'Brunei Darussalam',
+ 'country_Bulgaria' => 'Bulgaria',
+ 'country_Myanmar' => 'Myanmar',
+ 'country_Burundi' => 'Burundi',
+ 'country_Belarus' => 'Belarus',
+ 'country_Cambodia' => 'Cambodia',
+ 'country_Cameroon' => 'Cameroon',
+ 'country_Canada' => 'Canada',
+ 'country_Cape Verde' => 'Cape Verde',
+ 'country_Cayman Islands' => 'Cayman Islands',
+ 'country_Central African Republic' => 'Central African Republic',
+ 'country_Sri Lanka' => 'Sri Lanka',
+ 'country_Chad' => 'Chad',
+ 'country_Chile' => 'Chile',
+ 'country_China' => 'China',
+ 'country_Taiwan, Province of China' => 'Taiwan, Province of China',
+ 'country_Christmas Island' => 'Christmas Island',
+ 'country_Cocos (Keeling) Islands' => 'Cocos (Keeling) Islands',
+ 'country_Colombia' => 'Colombia',
+ 'country_Comoros' => 'Comoros',
+ 'country_Mayotte' => 'Mayotte',
+ 'country_Congo' => 'Congo',
+ 'country_Congo, the Democratic Republic of the' => 'Congo, the Democratic Republic of the',
+ 'country_Cook Islands' => 'Cook Islands',
+ 'country_Costa Rica' => 'Costa Rica',
+ 'country_Croatia' => 'Croatia',
+ 'country_Cuba' => 'Cuba',
+ 'country_Cyprus' => 'Cyprus',
+ 'country_Czech Republic' => 'Czech Republic',
+ 'country_Benin' => 'Benin',
+ 'country_Denmark' => 'Denmark',
+ 'country_Dominica' => 'Dominica',
+ 'country_Dominican Republic' => 'Dominican Republic',
+ 'country_Ecuador' => 'Ecuador',
+ 'country_El Salvador' => 'El Salvador',
+ 'country_Equatorial Guinea' => 'Equatorial Guinea',
+ 'country_Ethiopia' => 'Ethiopia',
+ 'country_Eritrea' => 'Eritrea',
+ 'country_Estonia' => 'Estonia',
+ 'country_Faroe Islands' => 'Faroe Islands',
+ 'country_Falkland Islands (Malvinas)' => 'Falkland Islands (Malvinas)',
+ 'country_South Georgia and the South Sandwich Islands' => 'South Georgia and the South Sandwich Islands',
+ 'country_Fiji' => 'Fiji',
+ 'country_Finland' => 'Finland',
+ 'country_Åland Islands' => 'Åland Islands',
+ 'country_France' => 'France',
+ 'country_French Guiana' => 'French Guiana',
+ 'country_French Polynesia' => 'French Polynesia',
+ 'country_French Southern Territories' => 'French Southern Territories',
+ 'country_Djibouti' => 'Djibouti',
+ 'country_Gabon' => 'Gabon',
+ 'country_Georgia' => 'Georgia',
+ 'country_Gambia' => 'Gambia',
+ 'country_Palestinian Territory, Occupied' => 'Palestinian Territory, Occupied',
+ 'country_Germany' => 'Germany',
+ 'country_Ghana' => 'Ghana',
+ 'country_Gibraltar' => 'Gibraltar',
+ 'country_Kiribati' => 'Kiribati',
+ 'country_Greece' => 'Greece',
+ 'country_Greenland' => 'Greenland',
+ 'country_Grenada' => 'Grenada',
+ 'country_Guadeloupe' => 'Guadeloupe',
+ '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_Holy See (Vatican City State)' => 'Holy See (Vatican City State)',
+ 'country_Honduras' => 'Honduras',
+ 'country_Hong Kong' => 'Hong Kong',
+ 'country_Hungary' => 'Hungary',
+ 'country_Iceland' => 'Iceland',
+ 'country_India' => 'India',
+ 'country_Indonesia' => 'Indonesia',
+ 'country_Iran, Islamic Republic of' => 'Iran, Islamic Republic of',
+ 'country_Iraq' => 'Iraq',
+ 'country_Ireland' => 'Ireland',
+ 'country_Israel' => 'Israel',
+ 'country_Italy' => 'Italy',
+ 'country_Côte d\'Ivoire' => 'Côte d\'Ivoire',
+ 'country_Jamaica' => 'Jamaica',
+ 'country_Japan' => 'Japan',
+ 'country_Kazakhstan' => 'Kazakhstan',
+ 'country_Jordan' => 'Jordan',
+ 'country_Kenya' => 'Kenya',
+ 'country_Korea, Democratic People\'s Republic of' => 'Korea, Democratic People\'s Republic of',
+ 'country_Korea, Republic of' => 'Korea, Republic of',
+ 'country_Kuwait' => 'Kuwait',
+ 'country_Kyrgyzstan' => 'Kyrgyzstan',
+ 'country_Lao People\'s Democratic Republic' => 'Lao People\'s Democratic Republic',
+ 'country_Lebanon' => 'Lebanon',
+ 'country_Lesotho' => 'Lesotho',
+ 'country_Latvia' => 'Latvia',
+ 'country_Liberia' => 'Liberia',
+ 'country_Libya' => 'Libya',
+ 'country_Liechtenstein' => 'Liechtenstein',
+ 'country_Lithuania' => 'Lithuania',
+ 'country_Luxembourg' => 'Luxembourg',
+ 'country_Macao' => 'Macao',
+ 'country_Madagascar' => 'Madagascar',
+ 'country_Malawi' => 'Malawi',
+ 'country_Malaysia' => 'Malaysia',
+ 'country_Maldives' => 'Maldives',
+ 'country_Mali' => 'Mali',
+ 'country_Malta' => 'Malta',
+ 'country_Martinique' => 'Martinique',
+ 'country_Mauritania' => 'Mauritania',
+ 'country_Mauritius' => 'Mauritius',
+ 'country_Mexico' => 'Mexico',
+ 'country_Monaco' => 'Monaco',
+ 'country_Mongolia' => 'Mongolia',
+ 'country_Moldova, Republic of' => 'Moldova, Republic of',
+ 'country_Montenegro' => 'Montenegro',
+ 'country_Montserrat' => 'Montserrat',
+ 'country_Morocco' => 'Morocco',
+ 'country_Mozambique' => 'Mozambique',
+ 'country_Oman' => 'Oman',
+ 'country_Namibia' => 'Namibia',
+ 'country_Nauru' => 'Nauru',
+ 'country_Nepal' => 'Nepal',
+ 'country_Netherlands' => 'Netherlands',
+ 'country_Curaçao' => 'Curaçao',
+ 'country_Aruba' => 'Aruba',
+ 'country_Sint Maarten (Dutch part)' => 'Sint Maarten (Dutch part)',
+ 'country_Bonaire, Sint Eustatius and Saba' => 'Bonaire, Sint Eustatius and Saba',
+ 'country_New Caledonia' => 'New Caledonia',
+ 'country_Vanuatu' => 'Vanuatu',
+ 'country_New Zealand' => 'New Zealand',
+ 'country_Nicaragua' => 'Nicaragua',
+ 'country_Niger' => 'Niger',
+ 'country_Nigeria' => 'Nigeria',
+ 'country_Niue' => 'Niue',
+ 'country_Norfolk Island' => 'Norfolk Island',
+ 'country_Norway' => 'Norway',
+ '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_Palau' => 'Palau',
+ 'country_Pakistan' => 'Pakistan',
+ 'country_Panama' => 'Panama',
+ 'country_Papua New Guinea' => 'Papua New Guinea',
+ 'country_Paraguay' => 'Paraguay',
+ 'country_Peru' => 'Peru',
+ 'country_Philippines' => 'Philippines',
+ 'country_Pitcairn' => 'Pitcairn',
+ 'country_Poland' => 'Poland',
+ 'country_Portugal' => 'Portugal',
+ 'country_Guinea-Bissau' => 'Guinea-Bissau',
+ 'country_Timor-Leste' => 'Timor-Leste',
+ 'country_Puerto Rico' => 'Puerto Rico',
+ 'country_Qatar' => 'Qatar',
+ 'country_Réunion' => 'Réunion',
+ 'country_Romania' => 'Romania',
+ 'country_Russian Federation' => 'Russian Federation',
+ 'country_Rwanda' => 'Rwanda',
+ '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_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_San Marino' => 'San Marino',
+ 'country_Sao Tome and Principe' => 'Sao Tome and Principe',
+ 'country_Saudi Arabia' => 'Saudi Arabia',
+ 'country_Senegal' => 'Senegal',
+ 'country_Serbia' => 'Serbia',
+ 'country_Seychelles' => 'Seychelles',
+ 'country_Sierra Leone' => 'Sierra Leone',
+ 'country_Singapore' => 'Singapore',
+ 'country_Slovakia' => 'Slovakia',
+ 'country_Viet Nam' => 'Viet Nam',
+ 'country_Slovenia' => 'Slovenia',
+ 'country_Somalia' => 'Somalia',
+ 'country_South Africa' => 'South Africa',
+ 'country_Zimbabwe' => 'Zimbabwe',
+ 'country_Spain' => 'Spain',
+ 'country_South Sudan' => 'South Sudan',
+ 'country_Sudan' => 'Sudan',
+ 'country_Western Sahara' => 'Western Sahara',
+ 'country_Suriname' => 'Suriname',
+ 'country_Svalbard and Jan Mayen' => 'Svalbard and Jan Mayen',
+ 'country_Swaziland' => 'Swaziland',
+ 'country_Sweden' => 'Sweden',
+ 'country_Switzerland' => 'Switzerland',
+ 'country_Syrian Arab Republic' => 'Syrian Arab Republic',
+ 'country_Tajikistan' => 'Tajikistan',
+ 'country_Thailand' => 'Thailand',
+ 'country_Togo' => 'Togo',
+ 'country_Tokelau' => 'Tokelau',
+ 'country_Tonga' => 'Tonga',
+ 'country_Trinidad and Tobago' => 'Trinidad and Tobago',
+ 'country_United Arab Emirates' => 'United Arab Emirates',
+ 'country_Tunisia' => 'Tunisia',
+ 'country_Turkey' => 'Turkey',
+ 'country_Turkmenistan' => 'Turkmenistan',
+ 'country_Turks and Caicos Islands' => 'Turks and Caicos Islands',
+ 'country_Tuvalu' => 'Tuvalu',
+ 'country_Uganda' => 'Uganda',
+ 'country_Ukraine' => 'Ukraine',
+ 'country_Macedonia, the former Yugoslav Republic of' => 'Macedonia, the former Yugoslav Republic of',
+ 'country_Egypt' => 'Egypt',
+ 'country_United Kingdom' => 'United Kingdom',
+ 'country_Guernsey' => 'Guernsey',
+ 'country_Jersey' => 'Jersey',
+ 'country_Isle of Man' => 'Isle of Man',
+ 'country_Tanzania, United Republic of' => 'Tanzania, United Republic of',
+ 'country_United States' => 'United States',
+ 'country_Virgin Islands, U.S.' => 'Virgin Islands, U.S.',
+ 'country_Burkina Faso' => 'Burkina Faso',
+ 'country_Uruguay' => 'Uruguay',
+ 'country_Uzbekistan' => 'Uzbekistan',
+ 'country_Venezuela, Bolivarian Republic of' => 'Venezuela, Bolivarian Republic of',
+ 'country_Wallis and Futuna' => 'Wallis and Futuna',
+ 'country_Samoa' => 'Samoa',
+ 'country_Yemen' => 'Yemen',
+ 'country_Zambia' => 'Zambia',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => 'Brazilian Portuguese',
+ 'lang_Croatian' => 'Croatian',
+ 'lang_Czech' => 'Czech',
+ 'lang_Danish' => 'Danish',
+ 'lang_Dutch' => 'Dutch',
+ 'lang_English' => 'English',
+ 'lang_French' => 'French',
+ 'lang_French - Canada' => 'French - Canada',
+ 'lang_German' => 'German',
+ 'lang_Italian' => 'Italian',
+ 'lang_Japanese' => 'Japanese',
+ 'lang_Lithuanian' => 'Lithuanian',
+ 'lang_Norwegian' => 'Norwegian',
+ 'lang_Polish' => 'Polish',
+ 'lang_Spanish' => 'Spanish',
+ 'lang_Spanish - Spain' => 'Spanish - Spain',
+ 'lang_Swedish' => 'Swedish',
+ 'lang_Albanian' => 'Albanian',
+ 'lang_Greek' => 'Greek',
+ 'lang_English - United Kingdom' => 'English - United Kingdom',
+ 'lang_Slovenian' => 'Slovenian',
+ 'lang_Finnish' => 'Finnish',
+ 'lang_Romanian' => 'Romanian',
+ 'lang_Turkish - Turkey' => 'Turkish - Turkey',
+ 'lang_Portuguese - Brazilian' => 'Portuguese - Brazilian',
+ 'lang_Portuguese - Portugal' => 'Portuguese - Portugal',
+ 'lang_Thai' => 'Thai',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => 'Accounting & Legal',
+ 'industry_Advertising' => 'Advertising',
+ 'industry_Aerospace' => 'Aerospace',
+ 'industry_Agriculture' => 'Agriculture',
+ 'industry_Automotive' => 'Automotive',
+ 'industry_Banking & Finance' => 'Banking & Finance',
+ 'industry_Biotechnology' => 'Biotechnology',
+ 'industry_Broadcasting' => 'Broadcasting',
+ 'industry_Business Services' => 'Business Services',
+ 'industry_Commodities & Chemicals' => 'Commodities & Chemicals',
+ 'industry_Communications' => 'Communications',
+ 'industry_Computers & Hightech' => 'Computers & Hightech',
+ 'industry_Defense' => 'Defense',
+ 'industry_Energy' => 'Energy',
+ 'industry_Entertainment' => 'Entertainment',
+ 'industry_Government' => 'Government',
+ 'industry_Healthcare & Life Sciences' => 'Healthcare & Life Sciences',
+ 'industry_Insurance' => 'Insurance',
+ 'industry_Manufacturing' => 'Manufacturing',
+ 'industry_Marketing' => 'Marketing',
+ 'industry_Media' => 'Media',
+ 'industry_Nonprofit & Higher Ed' => 'Nonprofit & Higher Ed',
+ 'industry_Pharmaceuticals' => 'Pharmaceuticals',
+ 'industry_Professional Services & Consulting' => 'Professional Services & Consulting',
+ 'industry_Real Estate' => 'Real Estate',
+ 'industry_Retail & Wholesale' => 'Retail & Wholesale',
+ 'industry_Sports' => 'Sports',
+ 'industry_Transportation' => 'Transportation',
+ 'industry_Travel & Luxury' => 'Travel & Luxury',
+ 'industry_Other' => 'Other',
+ 'industry_Photography' =>'Photography',
+
+ 'view_client_portal' => 'View client portal',
+ 'view_portal' => 'View Portal',
+ 'vendor_contacts' => 'Vendor Contacts',
+ 'all' => 'All',
+ 'selected' => 'Selected',
+ 'category' => 'Category',
+ 'categories' => 'Categories',
+ 'new_expense_category' => 'New Expense Category',
+ 'edit_category' => 'Edit Category',
+ 'archive_expense_category' => 'Archive Category',
+ 'expense_categories' => 'Expense Categories',
+ 'list_expense_categories' => 'List Expense Categories',
+ 'updated_expense_category' => 'Successfully updated expense category',
+ 'created_expense_category' => 'Successfully created expense category',
+ 'archived_expense_category' => 'Successfully archived expense category',
+ 'archived_expense_categories' => 'Successfully archived :count expense category',
+ 'restore_expense_category' => 'Restore expense category',
+ 'restored_expense_category' => 'Successfully restored expense category',
+ 'apply_taxes' => 'Apply taxes',
+ 'min_to_max_users' => ':min to :max users',
+ 'max_users_reached' => 'The maximum number of users has been reached.',
+ 'buy_now_buttons' => 'Buy Now Buttons',
+ 'landing_page' => 'Landing Page',
+ 'payment_type' => 'Payment Type',
+ 'form' => 'Form',
+ 'link' => 'Link',
+ 'fields' => 'Fields',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => 'Note: the client and invoice are created even if the transaction isn\'t completed.',
+ 'buy_now_buttons_disabled' => 'This feature requires that a product is created and a payment gateway is configured.',
+ 'enable_buy_now_buttons_help' => 'Enable support for buy now buttons',
+ 'changes_take_effect_immediately' => 'Note: changes take effect immediately',
+ 'wepay_account_description' => 'Payment gateway for Invoice Ninja',
+ 'payment_error_code' => 'There was an error processing your payment [:code]. Please try again later.',
+ 'standard_fees_apply' => 'Fee: 2.9%/1.2% [Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => 'Data needs to be imported in batches of :count rows or less',
+ 'error_title' => 'Something went wrong',
+ 'error_contact_text' => 'If you\'d like help please email us at :mailaddress',
+ 'no_undo' => 'Warning: this can\'t be undone.',
+ 'no_contact_selected' => 'Please select a contact',
+ 'no_client_selected' => 'Please select a client',
+
+ 'gateway_config_error' => 'It may help to set new passwords or generate new API keys.',
+ 'payment_type_on_file' => ':type on file',
+ 'invoice_for_client' => 'Invoice :invoice for :client',
+ 'intent_not_found' => 'Sorry, I\'m not sure what you\'re asking.',
+ 'intent_not_supported' => 'Sorry, I\'m not able to do that.',
+ 'client_not_found' => 'I wasn\'t able to find the client',
+ 'not_allowed' => 'Sorry, you don\'t have the needed permissions',
+ 'bot_emailed_invoice' => 'Your invoice has been sent.',
+ 'bot_emailed_notify_viewed' => 'I\'ll email you when it\'s viewed.',
+ 'bot_emailed_notify_paid' => 'I\'ll email you when it\'s paid.',
+ 'add_product_to_invoice' => 'Add 1 :product',
+ 'not_authorized' => 'You are not authorized',
+ '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_code' => 'Thanks! I\'ve sent a you an email with your security code.',
+ 'bot_welcome' => 'That\'s it, your account is verified.
',
+ 'email_not_found' => 'I wasn\'t able to find an available account for :email',
+ 'invalid_code' => 'The code is not correct',
+ 'security_code_email_subject' => 'Security code for Invoice Ninja Bot',
+ 'security_code_email_line1' => 'This is your Invoice Ninja Bot security code.',
+ 'security_code_email_line2' => 'Note: it will expire in 10 minutes.',
+ 'bot_help_message' => 'I currently support:
• Create\update\email an invoice
• List products
For example:
invoice bob for 2 tickets, set the due date to next thursday and the discount to 10 percent',
+ 'list_products' => 'List Products',
+
+ 'include_item_taxes_inline' => 'Include line item taxes in line total',
+ 'created_quotes' => 'Successfully created :count quotes(s)',
+ 'limited_gateways' => 'Note: we support one credit card gateway per company.',
+
+ 'warning' => 'Warning',
+ 'self-update' => 'Update',
+ 'update_invoiceninja_title' => 'Update Invoice Ninja',
+ 'update_invoiceninja_warning' => 'Before start upgrading Invoice Ninja create a backup of your database and files!',
+ 'update_invoiceninja_available' => 'A new version of Invoice Ninja is available.',
+ 'update_invoiceninja_unavailable' => 'No new version of Invoice Ninja available.',
+ '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_update_start' => 'Update now',
+ 'update_invoiceninja_download_start' => 'Download :version',
+ 'create_new' => 'Create New',
+
+ 'toggle_navigation' => 'Toggle Navigation',
+ 'toggle_history' => 'Toggle History',
+ 'unassigned' => 'Unassigned',
+ 'task' => 'Task',
+ 'contact_name' => 'Contact Name',
+ 'city_state_postal' => 'City/State/Postal',
+ 'custom_field' => 'Custom Field',
+ 'account_fields' => 'Company Fields',
+ 'facebook_and_twitter' => 'Facebook and 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.',
+ 'unnamed_client' => 'Unnamed Client',
+
+ 'day' => 'Day',
+ 'week' => 'Week',
+ 'month' => 'Month',
+ 'inactive_logout' => 'You have been logged out due to inactivity',
+ 'reports' => 'Reports',
+ 'total_profit' => 'Total Profit',
+ 'total_expenses' => 'Total Expenses',
+ 'quote_to' => 'Quote to',
+
+ // Limits
+ 'limit' => 'Limit',
+ 'min_limit' => 'Min: :min',
+ 'max_limit' => 'Max: :max',
+ 'no_limit' => 'No Limits',
+ 'set_limits' => 'Set :gateway_type Limits',
+ 'enable_min' => 'Enable min',
+ 'enable_max' => 'Enable max',
+ 'min' => 'Min',
+ 'max' => 'Max',
+ 'limits_not_met' => 'This invoice does not meet the limits for that payment type.',
+
+ 'date_range' => 'Date Range',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => 'Update',
+ 'invoice_fields_help' => 'Drag and drop fields to change their order and location',
+ 'new_category' => 'New Category',
+ 'restore_product' => 'Restore Product',
+ 'blank' => 'Blank',
+ 'invoice_save_error' => 'There was an error saving your invoice',
+ 'enable_recurring' => 'Enable Recurring',
+ 'disable_recurring' => 'Disable Recurring',
+ 'text' => 'Text',
+ 'expense_will_create' => 'expense will be created',
+ 'expenses_will_create' => 'expenses will be created',
+ 'created_expenses' => 'Successfully created :count expense(s)',
+
+ 'translate_app' => 'Help improve our translations with :link',
+ 'expense_category' => 'Expense Category',
+
+ 'go_ninja_pro' => 'Go Ninja Pro!',
+ 'go_enterprise' => 'Go Enterprise!',
+ 'upgrade_for_features' => 'Upgrade For More Features',
+ 'pay_annually_discount' => 'Pay annually for 10 months + 2 free!',
+ 'pro_upgrade_title' => 'Ninja Pro',
+ 'pro_upgrade_feature1' => 'YourBrand.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => 'Customize every aspect of your invoice!',
+ 'enterprise_upgrade_feature1' => 'Set permissions for multiple-users',
+ 'enterprise_upgrade_feature2' => 'Attach 3rd party files to invoices & expenses',
+ 'much_more' => 'Much More!',
+ 'all_pro_fetaures' => 'Plus all pro features!',
+
+ 'currency_symbol' => 'Symbol',
+ 'currency_code' => 'Code',
+
+ 'buy_license' => 'Buy License',
+ 'apply_license' => 'Apply License',
+ 'submit' => 'Submit',
+ 'white_label_license_key' => 'License Key',
+ 'invalid_white_label_license' => 'The white label license is not valid',
+ 'created_by' => 'Created by :name',
+ 'modules' => 'Modules',
+ 'financial_year_start' => 'First Month of the Year',
+ 'authentication' => 'Authentication',
+ 'checkbox' => 'Checkbox',
+ 'invoice_signature' => 'Signature',
+ 'show_accept_invoice_terms' => 'Invoice Terms Checkbox',
+ 'show_accept_invoice_terms_help' => 'Require client to confirm that they accept the invoice terms.',
+ 'show_accept_quote_terms' => 'Quote Terms Checkbox',
+ 'show_accept_quote_terms_help' => 'Require client to confirm that they accept the quote terms.',
+ 'require_invoice_signature' => 'Invoice Signature',
+ 'require_invoice_signature_help' => 'Require client to provide their signature.',
+ 'require_quote_signature' => 'Quote Signature',
+ 'require_quote_signature_help' => 'Require client to provide their signature.',
+ 'i_agree' => 'I Agree To The Terms',
+ 'sign_here' => 'Please sign here:',
+ 'authorization' => 'Authorization',
+ 'signed' => 'Signed',
+
+ // BlueVine
+ 'bluevine_promo' => 'Get flexible business lines of credit and invoice factoring using BlueVine.',
+ 'bluevine_modal_label' => 'Sign up with BlueVine',
+ 'bluevine_modal_text' => 'Fast funding for your business. No paperwork.
+- Flexible business lines of credit and invoice factoring.
',
+ 'bluevine_create_account' => 'Hesap oluştur',
+ 'quote_types' => 'Fiyat teklifi al',
+ 'invoice_factoring' => 'Fatura faktoringi',
+ 'line_of_credit' => 'Kredi limiti',
+ 'fico_score' => 'FICO skorunuz',
+ 'business_inception' => 'İş Başlangıç Tarihi',
+ 'average_bank_balance' => 'Ortalama banka hesabı bakiyesi',
+ 'annual_revenue' => 'Yıllık gelir',
+ 'desired_credit_limit_factoring' => 'İstenilen fatura faktoring limiti',
+ 'desired_credit_limit_loc' => 'İstenilen kredi limiti',
+ 'desired_credit_limit' => 'İstenilen kredi limiti',
+ 'bluevine_credit_line_type_required' => 'En az birini seçmelisiniz',
+ 'bluevine_field_required' => 'Bu alan gereklidir',
+ 'bluevine_unexpected_error' => 'Beklenmedik bir hata oluştu.',
+ 'bluevine_no_conditional_offer' => 'Teklif almadan önce daha fazla bilgi gereklidir. Aşağıdaki devam linkine tıklayın.',
+ 'bluevine_invoice_factoring' => 'Fatura Faktoringi',
+ 'bluevine_conditional_offer' => 'Koşullu teklif',
+ 'bluevine_credit_line_amount' => 'Kredi Limiti',
+ 'bluevine_advance_rate' => 'Avans Oranı',
+ 'bluevine_weekly_discount_rate' => 'Haftalık İskonto Oranı',
+ 'bluevine_minimum_fee_rate' => 'Minimum Ücret',
+ 'bluevine_line_of_credit' => 'Kredi sınırı',
+ 'bluevine_interest_rate' => 'Faiz oranı',
+ 'bluevine_weekly_draw_rate' => 'Haftalık Çekme Oranı',
+ 'bluevine_continue' => 'BlueVine\'e devam et',
+ 'bluevine_completed' => 'BlueVine kayıt tamamlandı',
+
+ 'vendor_name' => 'Tedarikçi',
+ 'entity_state' => 'Durum',
+ 'client_created_at' => 'Oluşturulan Tarih',
+ 'postmark_error' => 'There was a problem sending the email through Postmark: :link',
+ 'project' => 'Project',
+ 'projects' => 'Projects',
+ 'new_project' => 'New Project',
+ 'edit_project' => 'Edit Project',
+ 'archive_project' => 'Archive Project',
+ 'list_projects' => 'List Projects',
+ 'updated_project' => 'Successfully updated project',
+ 'created_project' => 'Successfully created project',
+ 'archived_project' => 'Successfully archived project',
+ 'archived_projects' => 'Successfully archived :count projects',
+ 'restore_project' => 'Restore Project',
+ 'restored_project' => 'Successfully restored project',
+ 'delete_project' => 'Delete Project',
+ 'deleted_project' => 'Successfully deleted project',
+ 'deleted_projects' => 'Successfully deleted :count projects',
+ 'delete_expense_category' => 'Delete category',
+ 'deleted_expense_category' => 'Successfully deleted category',
+ 'delete_product' => 'Delete Product',
+ 'deleted_product' => 'Successfully deleted product',
+ 'deleted_products' => 'Successfully deleted :count products',
+ 'restored_product' => 'Successfully restored product',
+ 'update_credit' => 'Update Credit',
+ 'updated_credit' => 'Successfully updated credit',
+ 'edit_credit' => 'Edit Credit',
+ 'live_preview_help' => 'Display a live PDF preview on the invoice page.
Disable this to improve performance when editing invoices.',
+ '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' => 'Prevent Download',
+ 'redirect_url' => 'Redirect URL',
+ 'redirect_url_help' => 'Optionally specify a URL to redirect to after a payment is entered.',
+ 'save_draft' => 'Save Draft',
+ 'refunded_credit_payment' => 'Refunded credit payment',
+ 'keyboard_shortcuts' => 'Keyboard Shortcuts',
+ 'toggle_menu' => 'Toggle Menu',
+ 'new_...' => 'New ...',
+ 'list_...' => 'List ...',
+ 'created_at' => 'Date Created',
+ 'contact_us' => 'Contact Us',
+ 'user_guide' => 'User Guide',
+ 'promo_message' => 'Upgrade before :expires and get :amount OFF your first year of our Pro or Enterprise packages.',
+ 'discount_message' => ':amount off expires :expires',
+ 'mark_paid' => 'Mark Paid',
+ 'marked_sent_invoice' => 'Successfully marked invoice sent',
+ 'marked_sent_invoices' => 'Successfully marked invoices sent',
+ 'invoice_name' => 'Invoice',
+ 'product_will_create' => 'product will be created',
+ 'contact_us_response' => 'Thank you for your message! We\'ll try to respond as soon as possible.',
+ 'last_7_days' => 'Last 7 Days',
+ 'last_30_days' => 'Last 30 Days',
+ 'this_month' => 'This Month',
+ 'last_month' => 'Last Month',
+ 'last_year' => 'Last Year',
+ 'custom_range' => 'Custom Range',
+ 'url' => 'URL',
+ 'debug' => 'Debug',
+ 'https' => 'HTTPS',
+ 'require' => 'Require',
+ 'license_expiring' => 'Note: Your license will expire in :count days, :link to renew it.',
+ 'security_confirmation' => 'Your email address has been confirmed.',
+ 'white_label_expired' => 'Your white label license has expired, please consider renewing it to help support our project.',
+ 'renew_license' => 'Renew License',
+ 'iphone_app_message' => 'Consider downloading our :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => 'Android app',
+ 'logged_in' => 'Logged In',
+ 'switch_to_primary' => 'Switch to your primary company (:name) to manage your plan.',
+ 'inclusive' => 'Inclusive',
+ 'exclusive' => 'Exclusive',
+ 'postal_city_state' => 'Postal/City/State',
+ 'phantomjs_help' => 'In certain cases the app uses :link_phantom to generate the PDF, install :link_docs to generate it locally.',
+ 'phantomjs_local' => 'Using local PhantomJS',
+ 'client_number' => 'Client Number',
+ 'client_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the client number.',
+ 'next_client_number' => 'The next client number is :number.',
+ 'generated_numbers' => 'Generated Numbers',
+ 'notes_reminder1' => 'First Reminder',
+ 'notes_reminder2' => 'Second Reminder',
+ 'notes_reminder3' => 'Third Reminder',
+ 'bcc_email' => 'BCC Email',
+ 'tax_quote' => 'Tax Quote',
+ 'tax_invoice' => 'Tax Invoice',
+ 'emailed_invoices' => 'Successfully emailed invoices',
+ 'emailed_quotes' => 'Successfully emailed quotes',
+ 'website_url' => 'Website URL',
+ 'domain' => 'Domain',
+ 'domain_help' => 'Used in the client portal and when sending emails.',
+ 'domain_help_website' => 'Used when sending emails.',
+ 'preview' => 'Preview',
+ 'import_invoices' => 'Import Invoices',
+ 'new_report' => 'New Report',
+ 'edit_report' => 'Edit Report',
+ 'columns' => 'Columns',
+ 'filters' => 'Filters',
+ 'sort_by' => 'Sort By',
+ 'draft' => 'Draft',
+ 'unpaid' => 'Unpaid',
+ 'aging' => 'Aging',
+ 'age' => 'Age',
+ 'days' => 'Days',
+ 'age_group_0' => '0 - 30 Days',
+ 'age_group_30' => '30 - 60 Days',
+ 'age_group_60' => '60 - 90 Days',
+ 'age_group_90' => '90 - 120 Days',
+ 'age_group_120' => '120+ Days',
+ 'invoice_details' => 'Invoice Details',
+ 'qty' => 'Quantity',
+ 'profit_and_loss' => 'Profit and Loss',
+ 'revenue' => 'Revenue',
+ 'profit' => 'Profit',
+ 'group_when_sorted' => 'Group Sort',
+ 'group_dates_by' => 'Group Dates By',
+ 'year' => 'Year',
+ 'view_statement' => 'View Statement',
+ 'statement' => 'Statement',
+ 'statement_date' => 'Statement Date',
+ 'mark_active' => 'Mark Active',
+ 'send_automatically' => 'Send Automatically',
+ 'initial_email' => 'Initial Email',
+ 'invoice_not_emailed' => 'This invoice hasn\'t been emailed.',
+ 'quote_not_emailed' => 'This quote hasn\'t been emailed.',
+ 'sent_by' => 'Sent by :user',
+ 'recipients' => 'Recipients',
+ 'save_as_default' => 'Save as default',
+ 'template' => 'Template',
+ '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.',
+ 'this_year' => 'This Year',
+
+ // Updated login screen
+ 'ninja_tagline' => 'Create. Send. Get Paid.',
+ 'login_or_existing' => 'Or login with a connected account.',
+ 'sign_up_now' => 'Sign Up Now',
+ 'not_a_member_yet' => 'Not a member yet?',
+ 'login_create_an_account' => 'Create an Account!',
+ 'client_login' => 'Client Login',
+
+ // New Client Portal styling
+ 'invoice_from' => 'Invoices From:',
+ 'email_alias_message' => 'We require each company to have a unique email address.
Consider using an alias. ie, email+label@example.com',
+ 'full_name' => 'Full Name',
+ 'month_year' => 'MONTH/YEAR',
+ 'valid_thru' => 'Valid\nthru',
+
+ 'product_fields' => 'Product Fields',
+ 'custom_product_fields_help' => 'Add a field when creating a product or invoice and display the label and value on the PDF.',
+ 'freq_two_months' => 'Two months',
+ 'freq_yearly' => 'Annually',
+ 'profile' => 'Profile',
+ 'payment_type_help' => 'Sets the default manual payment type.',
+ 'industry_Construction' => 'Construction',
+ 'your_statement' => 'Your Statement',
+ 'statement_issued_to' => 'Statement issued to',
+ 'statement_to' => 'Statement to',
+ 'customize_options' => 'Customize options',
+ 'created_payment_term' => 'Successfully created payment term',
+ 'updated_payment_term' => 'Successfully updated payment term',
+ 'archived_payment_term' => 'Successfully archived payment term',
+ 'resend_invite' => 'Resend Invitation',
+ 'credit_created_by' => 'Credit created by payment :transaction_reference',
+ 'created_payment_and_credit' => 'Successfully created payment and credit',
+ 'created_payment_and_credit_emailed_client' => 'Successfully created payment and credit, and emailed client',
+ 'create_project' => 'Create project',
+ 'create_vendor' => 'Create vendor',
+ 'create_expense_category' => 'Create category',
+ 'pro_plan_reports' => ':link to enable reports by joining the Pro Plan',
+ 'mark_ready' => 'Mark Ready',
+
+ 'limits' => 'Limits',
+ 'fees' => 'Fees',
+ 'fee' => 'Fee',
+ 'set_limits_fees' => 'Set :gateway_type Limits/Fees',
+ 'fees_tax_help' => 'Enable line item taxes to set the fee tax rates.',
+ 'fees_sample' => 'The fee for a :amount invoice would be :total.',
+ 'discount_sample' => 'The discount for a :amount invoice would be :total.',
+ 'no_fees' => 'No Fees',
+ 'gateway_fees_disclaimer' => 'Warning: not all states/payment gateways allow adding fees, please review local laws/terms of service.',
+ 'percent' => 'Percent',
+ 'location' => 'Location',
+ 'line_item' => 'Line Item',
+ 'surcharge' => 'Surcharge',
+ 'location_first_surcharge' => 'Enabled - First surcharge',
+ 'location_second_surcharge' => 'Enabled - Second surcharge',
+ 'location_line_item' => 'Enabled - Line item',
+ 'online_payment_surcharge' => 'Online Payment Surcharge',
+ 'gateway_fees' => 'Gateway Fees',
+ 'fees_disabled' => 'Fees are disabled',
+ 'gateway_fees_help' => 'Automatically add an online payment surcharge/discount.',
+ 'gateway' => 'Gateway',
+ 'gateway_fee_change_warning' => 'If there are unpaid invoices with fees they need to be updated manually.',
+ 'fees_surcharge_help' => 'Customize surcharge :link.',
+ 'label_and_taxes' => 'label and taxes',
+ 'billable' => 'Billable',
+ 'logo_warning_too_large' => 'The image file is too large.',
+ '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.',
+
+ 'error_refresh_page' => 'An error occurred, please refresh the page and try again.',
+ 'data' => 'Data',
+ 'imported_settings' => 'Successfully imported settings',
+ 'reset_counter' => 'Reset Counter',
+ 'next_reset' => 'Next Reset',
+ 'reset_counter_help' => 'Automatically reset the invoice and quote counters.',
+ 'auto_bill_failed' => 'Auto-billing for invoice :invoice_number failed',
+ 'online_payment_discount' => 'Online Payment Discount',
+ 'created_new_company' => 'Successfully created new company',
+ 'fees_disabled_for_gateway' => 'Fees are disabled for this gateway.',
+ 'logout_and_delete' => 'Log Out/Delete Account',
+ 'tax_rate_type_help' => 'Inclusive tax rates adjust the line item cost when selected.
Only exclusive tax rates can be used as a default.',
+ 'invoice_footer_help' => 'Use $pageNumber and $pageCount to display the page information.',
+ 'credit_note' => 'Credit Note',
+ 'credit_issued_to' => 'Credit issued to',
+ 'credit_to' => 'Credit to',
+ 'your_credit' => 'Your Credit',
+ 'credit_number' => 'Credit Number',
+ 'create_credit_note' => 'Create Credit Note',
+ 'menu' => 'Menu',
+ 'error_incorrect_gateway_ids' => 'Error: The gateways table has incorrect ids.',
+ 'purge_data' => 'Purge Data',
+ 'delete_data' => 'Delete Data',
+ 'purge_data_help' => 'Permanently delete all data but keep the account and settings.',
+ 'cancel_account_help' => 'Permanently delete the account along with all data and setting.',
+ 'purge_successful' => 'Successfully purged company data',
+ 'forbidden' => 'Forbidden',
+ 'purge_data_message' => 'Warning: This will permanently erase your data, there is no undo.',
+ 'contact_phone' => 'Contact Phone',
+ 'contact_email' => 'Contact Email',
+ 'reply_to_email' => 'Reply-To Email',
+ 'reply_to_email_help' => 'Specify the reply-to address for client emails.',
+ 'bcc_email_help' => 'Privately include this address with client emails.',
+ 'import_complete' => 'Your import has successfully completed.',
+ 'confirm_account_to_import' => 'Please confirm your account to import data.',
+ 'import_started' => 'Your import has started, we\'ll send you an email once it completes.',
+ 'listening' => 'Listening...',
+ 'microphone_help' => 'Say "new invoice for [client]" or "show me [client]\'s archived payments"',
+ 'voice_commands' => 'Voice Commands',
+ 'sample_commands' => 'Sample commands',
+ '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.',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => 'Money Order',
+ 'archived_products' => 'Successfully archived :count products',
+ 'recommend_on' => 'We recommend enabling this setting.',
+ 'recommend_off' => 'We recommend disabling this setting.',
+ 'notes_auto_billed' => 'Auto-billed',
+ 'surcharge_label' => 'Surcharge Label',
+ 'contact_fields' => 'Contact Fields',
+ 'custom_contact_fields_help' => 'Add a field when creating a contact and optionally display the label and value on the PDF.',
+ 'datatable_info' => 'Showing :start to :end of :total entries',
+ 'credit_total' => 'Credit Total',
+ 'mark_billable' => 'Mark billable',
+ 'billed' => 'Billed',
+ 'company_variables' => 'Company Variables',
+ 'client_variables' => 'Client Variables',
+ 'invoice_variables' => 'Invoice Variables',
+ 'navigation_variables' => 'Navigation Variables',
+ 'custom_variables' => 'Custom Variables',
+ 'invalid_file' => 'Invalid file type',
+ 'add_documents_to_invoice' => 'Add documents to invoice',
+ 'mark_expense_paid' => 'Mark paid',
+ 'white_label_license_error' => 'Failed to validate the license, check storage/logs/laravel-error.log for more details.',
+ 'plan_price' => 'Plan Price',
+ 'wrong_confirmation' => 'Incorrect confirmation code',
+ 'oauth_taken' => 'The account is already registered',
+ 'emailed_payment' => 'Successfully emailed payment',
+ 'email_payment' => 'Email Payment',
+ 'invoiceplane_import' => 'Use :link to migrate your data from InvoicePlane.',
+ 'duplicate_expense_warning' => 'Warning: This :link may be a duplicate',
+ 'expense_link' => 'expense',
+ 'resume_task' => 'Resume Task',
+ 'resumed_task' => 'Successfully resumed task',
+ 'quote_design' => 'Quote Design',
+ 'default_design' => 'Standard Design',
+ 'custom_design1' => 'Custom Design 1',
+ 'custom_design2' => 'Custom Design 2',
+ 'custom_design3' => 'Custom Design 3',
+ 'empty' => 'Empty',
+ 'load_design' => 'Load Design',
+ 'accepted_card_logos' => 'Accepted Card Logos',
+ 'phantomjs_local_and_cloud' => 'Using local PhantomJS, falling back to phantomjscloud.com',
+ 'google_analytics' => 'Google Analytics',
+ 'analytics_key' => 'Analytics Key',
+ 'analytics_key_help' => 'Track payments using :link',
+ 'start_date_required' => 'The start date is required',
+ 'application_settings' => 'Application Settings',
+ 'database_connection' => 'Database Connection',
+ 'driver' => 'Driver',
+ 'host' => 'Host',
+ 'database' => 'Database',
+ 'test_connection' => 'Test connection',
+ 'from_name' => 'From Name',
+ 'from_address' => 'From Address',
+ 'port' => 'Port',
+ 'encryption' => 'Encryption',
+ 'mailgun_domain' => 'Mailgun Domain',
+ 'mailgun_private_key' => 'Mailgun Private Key',
+ 'send_test_email' => 'Send test email',
+ 'select_label' => 'Select Label',
+ 'label' => 'Label',
+ 'service' => 'Service',
+ 'update_payment_details' => 'Update payment details',
+ 'updated_payment_details' => 'Successfully updated payment details',
+ 'update_credit_card' => 'Update Credit Card',
+ 'recurring_expenses' => 'Recurring Expenses',
+ 'recurring_expense' => 'Recurring Expense',
+ 'new_recurring_expense' => 'New Recurring Expense',
+ 'edit_recurring_expense' => 'Edit Recurring Expense',
+ 'archive_recurring_expense' => 'Archive Recurring Expense',
+ 'list_recurring_expense' => 'List Recurring Expenses',
+ 'updated_recurring_expense' => 'Successfully updated recurring expense',
+ 'created_recurring_expense' => 'Successfully created recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'archived_recurring_expense' => 'Successfully archived recurring expense',
+ 'restore_recurring_expense' => 'Restore Recurring Expense',
+ 'restored_recurring_expense' => 'Successfully restored recurring expense',
+ 'delete_recurring_expense' => 'Delete Recurring Expense',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'deleted_recurring_expense' => 'Successfully deleted project',
+ 'view_recurring_expense' => 'View Recurring Expense',
+ 'taxes_and_fees' => 'Taxes and fees',
+ 'import_failed' => 'Import Failed',
+ 'recurring_prefix' => 'Recurring Prefix',
+ 'options' => 'Options',
+ 'credit_number_help' => 'Specify a prefix or use a custom pattern to dynamically set the credit number for negative invoices.',
+ 'next_credit_number' => 'The next credit number is :number.',
+ 'padding_help' => 'The number of zero\'s to pad the number.',
+ 'import_warning_invalid_date' => 'Warning: The date format appears to be invalid.',
+ 'product_notes' => 'Product Notes',
+ 'app_version' => 'App Version',
+ 'ofx_version' => 'OFX Version',
+ 'gateway_help_23' => ':link to get your Stripe API keys.',
+ 'error_app_key_set_to_default' => 'Error: APP_KEY is set to a default value, to update it backup your database and then run 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',
+ 'download_invoice' => 'Download Invoice',
+ 'download_quote' => 'Download Quote',
+ 'invoices_are_attached' => 'Your invoice PDFs are attached.',
+ 'downloaded_invoice' => 'An email will be sent with the invoice PDF',
+ 'downloaded_quote' => 'An email will be sent with the quote PDF',
+ 'downloaded_invoices' => 'An email will be sent with the invoice PDFs',
+ 'downloaded_quotes' => 'An email will be sent with the quote PDFs',
+ 'clone_expense' => 'Clone Expense',
+ 'default_documents' => 'Default Documents',
+ 'send_email_to_client' => 'Send email to the client',
+ 'refund_subject' => 'Refund Processed',
+ 'refund_body' => 'You have been processed a refund of :amount for invoice :invoice_number.',
+
+ 'currency_us_dollar' => 'US Dollar',
+ 'currency_british_pound' => 'British Pound',
+ '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_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_japanese_yen' => 'Japanese Yen',
+ '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_chilean_peso' => 'Chilean Peso',
+ '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',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.
If you\'d consider :link we\'d greatly appreciate it!',
+ 'writing_a_review' => 'writing a review',
+
+ 'use_english_version' => 'Make sure to use the English version of the files.
We use the column headers to match the fields.',
+ 'tax1' => 'First Tax',
+ 'tax2' => 'Second Tax',
+ 'fee_help' => 'Gateway fees are the costs charged for access to the financial networks that handle the processing of online payments.',
+ 'format_export' => 'Dışa aktarma formatı',
+ 'custom1' => 'First Custom',
+ 'custom2' => 'Second Custom',
+ 'contact_first_name' => 'Contact First Name',
+ 'contact_last_name' => 'Contact Last Name',
+ 'contact_custom1' => 'Contact First Custom',
+ 'contact_custom2' => 'Contact Second Custom',
+ 'currency' => 'Currency',
+ 'ofx_help' => 'To troubleshoot check for comments on :ofxhome_link and test with :ofxget_link.',
+ 'comments' => 'comments',
+
+ 'item_product' => 'Item Product',
+ 'item_notes' => 'Item Notes',
+ 'item_cost' => 'Item Cost',
+ 'item_quantity' => 'Item Quantity',
+ 'item_tax_rate' => 'Item Tax Rate',
+ 'item_tax_name' => 'Item Tax Name',
+ 'item_tax1' => 'Item Tax1',
+ 'item_tax2' => 'Item Tax2',
+
+ 'delete_company' => 'Delete Company',
+ '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.',
+
+ 'applied_discount' => 'The coupon has been applied, the plan price has been reduced by :discount%.',
+ 'applied_free_year' => 'The coupon has been applied, your account has been upgraded to pro for one year.',
+
+ 'contact_us_help' => 'If you\'re reporting an error please include any relevant logs from storage/logs/laravel-error.log',
+ 'include_errors' => 'Include Errors',
+ 'include_errors_help' => 'Include :link from storage/logs/laravel-error.log',
+ 'recent_errors' => 'recent errors',
+ 'customer' => 'Customer',
+ 'customers' => 'Customers',
+ 'created_customer' => 'Successfully created customer',
+ 'created_customers' => 'Successfully created :count customers',
+
+ 'purge_details' => 'The data in your company (:account) has been successfully purged.',
+ 'deleted_company' => 'Successfully deleted company',
+ 'deleted_account' => 'Successfully canceled account',
+ 'deleted_company_details' => 'Your company (:account) has been successfully deleted.',
+ 'deleted_account_details' => 'Your account (:account) has been successfully deleted.',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA Direct Debit',
+ 'enable_alipay' => 'Accept Alipay',
+ 'enable_sofort' => 'Accept EU bank transfers',
+ 'stripe_alipay_help' => 'These gateways also need to be activated in :link.',
+ 'calendar' => 'Calendar',
+ 'pro_plan_calendar' => ':link to enable the calendar by joining the Pro Plan',
+
+ 'what_are_you_working_on' => 'What are you working on?',
+ 'time_tracker' => 'Time Tracker',
+ 'refresh' => 'Refresh',
+ 'filter_sort' => 'Filter/Sort',
+ 'no_description' => 'No Description',
+ 'time_tracker_login' => 'Time Tracker Login',
+ 'save_or_discard' => 'Save or discard your changes',
+ 'discard_changes' => 'Discard Changes',
+ 'tasks_not_enabled' => 'Tasks are not enabled.',
+ 'started_task' => 'Successfully started task',
+ 'create_client' => 'Create Client',
+
+ 'download_desktop_app' => 'Download the desktop app',
+ 'download_iphone_app' => 'Download the iPhone app',
+ 'download_android_app' => 'Download the Android app',
+ 'time_tracker_mobile_help' => 'Double tap a task to select it',
+ 'stopped' => 'Stopped',
+ 'ascending' => 'Ascending',
+ 'descending' => 'Descending',
+ 'sort_field' => 'Sort By',
+ 'sort_direction' => 'Direction',
+ 'discard' => 'Discard',
+ 'time_am' => 'AM',
+ 'time_pm' => 'PM',
+ 'time_mins' => 'mins',
+ 'time_hr' => 'hr',
+ 'time_hrs' => 'hrs',
+ 'clear' => 'Clear',
+ 'warn_payment_gateway' => 'Note: accepting online payments requires a payment gateway, :link to add one.',
+ 'task_rate' => 'Task Rate',
+ 'task_rate_help' => 'Set the default rate for invoiced tasks.',
+ 'past_due' => 'Past Due',
+ 'document' => 'Document',
+ 'invoice_or_expense' => 'Invoice/Expense',
+ 'invoice_pdfs' => 'Invoice PDFs',
+ 'enable_sepa' => 'Accept SEPA',
+ 'enable_bitcoin' => 'Accept Bitcoin',
+ 'iban' => 'IBAN',
+ 'sepa_authorization' => '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.',
+ 'recover_license' => 'Recover License',
+ 'purchase' => 'Purchase',
+ 'recover' => 'Recover',
+ 'apply' => 'Apply',
+ 'recover_white_label_header' => 'Recover White Label License',
+ 'apply_white_label_header' => 'Apply White Label License',
+ 'videos' => 'Videos',
+ 'video' => 'Video',
+ 'return_to_invoice' => 'Return to Invoice',
+ 'gateway_help_13' => 'To use ITN leave the PDT Key field blank.',
+ 'partial_due_date' => 'Partial Due Date',
+ 'task_fields' => 'Task Fields',
+ 'product_fields_help' => 'Drag and drop fields to change their order',
+ 'custom_value1' => 'Custom Value',
+ 'custom_value2' => 'Custom Value',
+ 'enable_two_factor' => 'Two-Factor Authentication',
+ 'enable_two_factor_help' => 'Use your phone to confirm your identity when logging in',
+ 'two_factor_setup' => 'Two-Factor Setup',
+ 'two_factor_setup_help' => 'Scan the bar code with a :link compatible app.',
+ 'one_time_password' => 'One Time Password',
+ 'set_phone_for_two_factor' => 'Set your mobile phone number as a backup to enable.',
+ 'enabled_two_factor' => 'Successfully enabled Two-Factor Authentication',
+ 'add_product' => 'Add Product',
+ 'email_will_be_sent_on' => 'Note: the email will be sent on :date.',
+ 'invoice_product' => 'Invoice Product',
+ 'self_host_login' => 'Self-Host Login',
+ 'set_self_hoat_url' => 'Self-Host URL',
+ 'local_storage_required' => 'Error: local storage is not available.',
+ 'your_password_reset_link' => 'Your Password Reset Link',
+ 'subdomain_taken' => 'The subdomain is already in use',
+ 'client_login' => 'Client Login',
+ 'converted_amount' => 'Converted Amount',
+ 'default' => 'Default',
+ 'shipping_address' => 'Shipping Address',
+ 'bllling_address' => 'Billing Address',
+ 'billing_address1' => 'Billing Street',
+ 'billing_address2' => 'Billing Apt/Suite',
+ 'billing_city' => 'Billing City',
+ 'billing_state' => 'Billing State/Province',
+ 'billing_postal_code' => 'Billing Postal Code',
+ 'billing_country' => 'Billing Country',
+ 'shipping_address1' => 'Shipping Street',
+ 'shipping_address2' => 'Shipping Apt/Suite',
+ 'shipping_city' => 'Shipping City',
+ 'shipping_state' => 'Shipping State/Province',
+ 'shipping_postal_code' => 'Shipping Postal Code',
+ 'shipping_country' => 'Shipping Country',
+ 'classify' => 'Classify',
+ 'show_shipping_address_help' => 'Require client to provide their shipping address',
+ 'ship_to_billing_address' => 'Ship to billing address',
+ 'delivery_note' => 'Delivery Note',
+ 'show_tasks_in_portal' => 'Show tasks in the client portal',
+ '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',
+ 'invalid_one_time_password' => 'Invalid one time password',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => 'Accept Apple Pay and Pay with Google',
+ 'requires_subdomain' => 'This payment type requires that a :link.',
+ 'subdomain_is_set' => 'subdomain is set',
+ 'verification_file' => 'Verification File',
+ 'verification_file_missing' => 'The verification file is needed to accept payments.',
+ 'apple_pay_domain' => 'Use :domain
as the domain in :link.',
+ 'apple_pay_not_supported' => 'Sorry, Apple/Google Pay isn\'t supported by your browser',
+ 'optional_payment_methods' => 'Optional Payment Methods',
+ 'add_subscription' => 'Add Subscription',
+ 'target_url' => 'Target',
+ 'target_url_help' => 'When the selected event occurs the app will post the entity to the target URL.',
+ 'event' => 'Event',
+ 'subscription_event_1' => 'Created Client',
+ 'subscription_event_2' => 'Created Invoice',
+ 'subscription_event_3' => 'Created Quote',
+ 'subscription_event_4' => 'Created Payment',
+ 'subscription_event_5' => 'Created Vendor',
+ 'subscription_event_6' => 'Updated Quote',
+ 'subscription_event_7' => 'Deleted Quote',
+ 'subscription_event_8' => 'Updated Invoice',
+ 'subscription_event_9' => 'Deleted Invoice',
+ 'subscription_event_10' => 'Updated Client',
+ 'subscription_event_11' => 'Deleted Client',
+ 'subscription_event_12' => 'Deleted Payment',
+ 'subscription_event_13' => 'Updated Vendor',
+ 'subscription_event_14' => 'Deleted Vendor',
+ 'subscription_event_15' => 'Created Expense',
+ 'subscription_event_16' => 'Updated Expense',
+ 'subscription_event_17' => 'Deleted Expense',
+ 'subscription_event_18' => 'Created Task',
+ 'subscription_event_19' => 'Updated Task',
+ 'subscription_event_20' => 'Deleted Task',
+ 'subscription_event_21' => 'Approved Quote',
+ 'subscriptions' => 'Subscriptions',
+ 'updated_subscription' => 'Successfully updated subscription',
+ 'created_subscription' => 'Successfully created subscription',
+ 'edit_subscription' => 'Edit Subscription',
+ 'archive_subscription' => 'Archive Subscription',
+ 'archived_subscription' => 'Successfully archived subscription',
+ 'project_error_multiple_clients' => 'The projects can\'t belong to different clients',
+ 'invoice_project' => 'Invoice Project',
+ 'module_recurring_invoice' => 'Recurring Invoices',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'Tasks & Projects',
+ 'module_expense' => 'Expenses & Vendors',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'Tasks are visible in the portal',
+ 'is_not_sent_reminders' => 'Reminders are not sent',
+ '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.',
+ 'please_register' => 'Please register your account',
+ 'processing_request' => 'Processing request',
+ 'mcrypt_warning' => 'Warning: Mcrypt is deprecated, run :command to update your cipher.',
+ 'edit_times' => 'Edit Times',
+ 'inclusive_taxes_help' => 'Include taxes in the cost',
+ 'inclusive_taxes_notice' => 'This setting can not be changed once an invoice has been created.',
+ 'inclusive_taxes_warning' => 'Warning: existing invoices will need to be resaved',
+ 'copy_shipping' => 'Copy Shipping',
+ 'copy_billing' => 'Copy Billing',
+ 'quote_has_expired' => 'The quote has expired, please contact the merchant.',
+ 'empty_table_footer' => 'Showing 0 to 0 of 0 entries',
+ 'do_not_trust' => 'Do not remember this device',
+ 'trust_for_30_days' => 'Trust for 30 days',
+ 'trust_forever' => 'Trust forever',
+ 'kanban' => 'Kanban',
+ 'backlog' => 'Backlog',
+ 'ready_to_do' => 'Ready to do',
+ 'in_progress' => 'In progress',
+ 'add_status' => 'Add status',
+ 'archive_status' => 'Archive Status',
+ 'new_status' => 'New Status',
+ 'convert_products' => 'Convert Products',
+ 'convert_products_help' => 'Automatically convert product prices to the client\'s currency',
+ 'improve_client_portal_link' => 'Set a subdomain to shorten the client portal link.',
+ 'budgeted_hours' => 'Budgeted Hours',
+ 'progress' => 'Progress',
+ 'view_project' => 'View Project',
+ 'summary' => 'Summary',
+ 'endless_reminder' => 'Endless Reminder',
+ 'signature_on_invoice_help' => 'Add the following code to show your client\'s signature on the PDF.',
+ 'signature_on_pdf' => 'Show on PDF',
+ 'signature_on_pdf_help' => 'Show the client signature on the invoice/quote PDF.',
+ 'expired_white_label' => 'The white label license has expired',
+ 'return_to_login' => 'Return to Login',
+ 'convert_products_tip' => 'Note: add a :link named ":name" to see the exchange rate.',
+ 'amount_greater_than_balance' => 'The amount is greater than the invoice balance, a credit will be created with the remaining amount.',
+ 'custom_fields_tip' => 'Use Label|Option1,Option2
to show a select box.',
+ 'client_information' => 'Client Information',
+ 'updated_client_details' => 'Successfully updated client details',
+ 'auto' => 'Auto',
+ 'tax_amount' => 'Tax Amount',
+ 'tax_paid' => 'Tax Paid',
+ 'none' => 'None',
+ 'proposal_message_button' => 'To view your proposal for :amount, click the button below.',
+ 'proposal' => 'Proposal',
+ 'proposals' => 'Proposals',
+ 'list_proposals' => 'List Proposals',
+ 'new_proposal' => 'New Proposal',
+ 'edit_proposal' => 'Edit Proposal',
+ 'archive_proposal' => 'Archive Proposal',
+ 'delete_proposal' => 'Delete Proposal',
+ 'created_proposal' => 'Successfully created proposal',
+ 'updated_proposal' => 'Successfully updated proposal',
+ 'archived_proposal' => 'Successfully archived proposal',
+ 'deleted_proposal' => 'Successfully archived proposal',
+ 'archived_proposals' => 'Successfully archived :count proposals',
+ 'deleted_proposals' => 'Successfully archived :count proposals',
+ 'restored_proposal' => 'Successfully restored proposal',
+ 'restore_proposal' => 'Restore Proposal',
+ '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',
+ 'template' => 'Template',
+ 'templates' => 'Templates',
+ 'proposal_template' => 'Template',
+ 'proposal_templates' => 'Templates',
+ 'new_proposal_template' => 'New Template',
+ 'edit_proposal_template' => 'Edit Template',
+ 'archive_proposal_template' => 'Archive Template',
+ 'delete_proposal_template' => 'Delete Template',
+ 'created_proposal_template' => 'Successfully created template',
+ 'updated_proposal_template' => 'Successfully updated template',
+ 'archived_proposal_template' => 'Successfully archived template',
+ 'deleted_proposal_template' => 'Successfully archived template',
+ 'archived_proposal_templates' => 'Successfully archived :count templates',
+ 'deleted_proposal_templates' => 'Successfully archived :count templates',
+ 'restored_proposal_template' => 'Successfully restored template',
+ 'restore_proposal_template' => 'Restore Template',
+ 'proposal_category' => 'Category',
+ 'proposal_categories' => 'Categories',
+ 'new_proposal_category' => 'New Category',
+ 'edit_proposal_category' => 'Edit Category',
+ 'archive_proposal_category' => 'Archive Category',
+ 'delete_proposal_category' => 'Delete Category',
+ 'created_proposal_category' => 'Successfully created category',
+ 'updated_proposal_category' => 'Successfully updated category',
+ 'archived_proposal_category' => 'Successfully archived category',
+ 'deleted_proposal_category' => 'Successfully archived category',
+ 'archived_proposal_categories' => 'Successfully archived :count categories',
+ 'deleted_proposal_categories' => 'Successfully archived :count categories',
+ 'restored_proposal_category' => 'Successfully restored category',
+ 'restore_proposal_category' => 'Restore Category',
+ 'delete_status' => 'Delete Status',
+ 'standard' => 'Standard',
+ 'icon' => 'Icon',
+ 'proposal_not_found' => 'The requested proposal is not available',
+ 'create_proposal_category' => 'Create category',
+ 'clone_proposal_template' => 'Clone Template',
+ 'proposal_email' => 'Proposal Email',
+ 'proposal_subject' => 'New proposal :number from :account',
+ 'proposal_message' => 'To view your proposal for :amount, click the link below.',
+ 'emailed_proposal' => 'Successfully emailed proposal',
+ 'load_template' => 'Load Template',
+ 'no_assets' => 'No images, drag to upload',
+ 'add_image' => 'Add Image',
+ 'select_image' => 'Select Image',
+ 'upgrade_to_upload_images' => 'Upgrade to the enterprise plan to upload images',
+ 'delete_image' => 'Delete Image',
+ 'delete_image_help' => 'Warning: deleting the image will remove it from all proposals.',
+ 'amount_variable_help' => 'Note: the invoice $amount field will use the partial/deposit field if set otherwise it will use the invoice balance.',
+ 'taxes_are_included_help' => 'Note: Inclusive taxes have been enabled.',
+ 'taxes_are_not_included_help' => 'Note: Inclusive taxes are not enabled.',
+ 'change_requires_purge' => 'Changing this setting requires :link the account data.',
+ 'purging' => 'purging',
+ 'warning_local_refund' => 'The refund will be recorded in the app but will NOT be processed by the payment gateway.',
+ 'email_address_changed' => 'Email address has been changed',
+ 'email_address_changed_message' => 'The email address for your account has been changed from :old_email to :new_email.',
+ 'test' => 'Test',
+ 'beta' => 'Beta',
+ 'gmp_required' => 'Exporting to ZIP requires the GMP extension',
+ 'email_history' => 'Email History',
+ 'loading' => 'Loading',
+ 'no_messages_found' => 'No messages found',
+ 'processing' => 'Processing',
+ 'reactivate' => 'Reactivate',
+ 'reactivated_email' => 'The email address has been reactivated',
+ 'emails' => 'Emails',
+ 'opened' => 'Opened',
+ 'bounced' => 'Bounced',
+ 'total_sent' => 'Total Sent',
+ 'total_opened' => 'Total Opened',
+ 'total_bounced' => 'Total Bounced',
+ 'total_spam' => 'Total Spam',
+ 'platforms' => 'Platforms',
+ 'email_clients' => 'Email Clients',
+ 'mobile' => 'Mobile',
+ 'desktop' => 'Desktop',
+ 'webmail' => 'Webmail',
+ 'group' => 'Group',
+ 'subgroup' => 'Subgroup',
+ 'unset' => 'Unset',
+ 'received_new_payment' => 'You\'ve received a new payment!',
+ 'slack_webhook_help' => 'Receive payment notifications using :link.',
+ 'slack_incoming_webhooks' => 'Slack incoming webhooks',
+ 'accept' => 'Accept',
+ 'accepted_terms' => 'Successfully accepted the latest terms of service',
+ 'invalid_url' => 'Invalid URL',
+ 'workflow_settings' => 'Workflow Settings',
+ 'auto_email_invoice' => 'Auto Email',
+ 'auto_email_invoice_help' => 'Automatically email recurring invoices when they are created.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'Automatically archive invoices when they are paid.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'allow_approve_expired_quote' => 'Allow approve expired quote',
+ 'allow_approve_expired_quote_help' => 'Allow clients to approve expired quotes.',
+ 'invoice_workflow' => 'Invoice Workflow',
+ 'quote_workflow' => 'Quote Workflow',
+ 'client_must_be_active' => 'Error: the client must be active',
+ 'purge_client' => 'Purge Client',
+ 'purged_client' => 'Successfully purged client',
+ 'purge_client_warning' => 'All related records (invoices, tasks, expenses, documents, etc) will also be deleted.',
+ 'clone_product' => 'Clone Product',
+ 'item_details' => 'Item Details',
+ 'send_item_details_help' => 'Send line item details to the payment gateway.',
+ 'view_proposal' => 'View Proposal',
+ 'view_in_portal' => 'View in Portal',
+ 'cookie_message' => 'This website uses cookies to ensure you get the best experience on our website.',
+ 'got_it' => 'Got it!',
+ 'vendor_will_create' => 'vendor will be created',
+ 'vendors_will_create' => 'vendors will be created',
+ 'created_vendors' => 'Successfully created :count vendor(s)',
+ 'import_vendors' => 'Import Vendors',
+ 'company' => 'Company',
+ 'client_field' => 'Client Field',
+ 'contact_field' => 'Contact Field',
+ 'product_field' => 'Product Field',
+ 'task_field' => 'Task Field',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'Invoice Field',
+ 'invoice_surcharge' => 'Invoice Surcharge',
+ 'custom_task_fields_help' => 'Add a field when creating a task.',
+ 'custom_project_fields_help' => 'Add a field when creating a project.',
+ 'custom_expense_fields_help' => 'Add a field when creating an expense.',
+ 'custom_vendor_fields_help' => 'Add a field when creating a vendor.',
+ 'messages' => 'Messages',
+ 'unpaid_invoice' => 'Unpaid Invoice',
+ 'paid_invoice' => 'Paid Invoice',
+ 'unapproved_quote' => 'Unapproved Quote',
+ 'unapproved_proposal' => 'Unapproved Proposal',
+ 'autofills_city_state' => 'Auto-fills city/state',
+ 'no_match_found' => 'No match found',
+ 'password_strength' => 'Password Strength',
+ 'strength_weak' => 'Weak',
+ 'strength_good' => 'Good',
+ 'strength_strong' => 'Strong',
+ 'mark' => 'Mark',
+ 'updated_task_status' => 'Successfully update task status',
+ 'background_image' => 'Background Image',
+ 'background_image_help' => 'Use the :link to manage your images, we recommend using a small file.',
+ 'proposal_editor' => 'proposal editor',
+ 'background' => 'Background',
+ 'guide' => 'Guide',
+ 'gateway_fee_item' => 'Gateway Fee Item',
+ 'gateway_fee_description' => 'Gateway Fee Surcharge',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'Show Aging',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'All Invoices',
+ 'my_invoices' => 'My Invoices',
+ 'mobile_refresh_warning' => 'If you\'re using the mobile app you may need to do a full refresh.',
+ 'enable_proposals_for_background' => 'To upload a background image :link to enable the proposals module.',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/tr_TR/validation.php b/resources/lang/tr_TR/validation.php
new file mode 100644
index 000000000000..c1bddfa75866
--- /dev/null
+++ b/resources/lang/tr_TR/validation.php
@@ -0,0 +1,123 @@
+ ':attribute kabul edilmelidir.',
+ 'active_url' => ':attribute geçerli bir URL olmalıdır.',
+ 'after' => ':attribute şundan daha eski bir tarih olmalıdır :date.',
+ 'after_or_equal' => 'The :attribute must be a date after or equal to :date.',
+ 'alpha' => ':attribute sadece harflerden oluşmalıdır.',
+ 'alpha_dash' => ':attribute sadece harfler, rakamlar ve tirelerden oluşmalıdır.',
+ 'alpha_num' => ':attribute sadece harfler ve rakamlar içermelidir.',
+ 'array' => ':attribute dizi olmalıdır.',
+ 'before' => ':attribute şundan daha önceki bir tarih olmalıdır :date.',
+ 'before_or_equal' => 'The :attribute must be a date before or equal to :date.',
+ 'between' => [
+ 'numeric' => ':attribute :min - :max arasında olmalıdır.',
+ 'file' => ':attribute :min - :max arasındaki kilobayt değeri olmalıdır.',
+ 'string' => ':attribute :min - :max arasında karakterden oluşmalıdır.',
+ 'array' => ':attribute :min - :max arasında nesneye sahip olmalıdır.',
+ ],
+ 'boolean' => ':attribute sadece doğru veya yanlış olmalıdır.',
+ 'confirmed' => ':attribute tekrarı eşleşmiyor.',
+ 'date' => ':attribute geçerli bir tarih olmalıdır.',
+ 'date_format' => ':attribute :format biçimi ile eşleşmiyor.',
+ 'different' => ':attribute ile :other birbirinden farklı olmalıdır.',
+ 'digits' => ':attribute :digits rakam olmalıdır.',
+ 'digits_between' => ':attribute :min ile :max arasında rakam olmalıdır.',
+ 'dimensions' => ':attribute görsel ölçüleri geçersiz.',
+ 'distinct' => ':attribute alanı yinelenen bir değere sahip.',
+ 'email' => ':attribute biçimi geçersiz.',
+ 'exists' => 'Seçili :attribute geçersiz.',
+ 'file' => ':attribute dosya olmalıdır.',
+ 'filled' => ':attribute alanı gereklidir.',
+ 'image' => ':attribute alanı resim dosyası olmalıdır.',
+ 'in' => ':attribute değeri geçersiz.',
+ 'in_array' => ':attribute alanı :other içinde mevcut değil.',
+ 'integer' => ':attribute tamsayı olmalıdır.',
+ 'ip' => ':attribute geçerli bir IP adresi olmalıdır.',
+ 'ipv4' => 'The :attribute must be a valid IPv4 address.',
+ 'ipv6' => 'The :attribute must be a valid IPv6 address.',
+ 'json' => ':attribute geçerli bir JSON değişkeni olmalıdır.',
+ 'max' => [
+ 'numeric' => ':attribute değeri :max değerinden küçük olmalıdır.',
+ 'file' => ':attribute değeri :max kilobayt değerinden küçük olmalıdır.',
+ 'string' => ':attribute değeri :max karakter değerinden küçük olmalıdır.',
+ 'array' => ':attribute değeri :max adedinden az nesneye sahip olmalıdır.',
+ ],
+ 'mimes' => ':attribute dosya biçimi :values olmalıdır.',
+ 'mimetypes' => ':attribute dosya biçimi :values olmalıdır.',
+ 'min' => [
+ 'numeric' => ':attribute değeri :min değerinden büyük olmalıdır.',
+ 'file' => ':attribute değeri :min kilobayt değerinden büyük olmalıdır.',
+ 'string' => ':attribute değeri :min karakter değerinden büyük olmalıdır.',
+ 'array' => ':attribute en az :min nesneye sahip olmalıdır.',
+ ],
+ 'not_in' => 'Seçili :attribute geçersiz.',
+ 'numeric' => ':attribute sayı olmalıdır.',
+ 'present' => 'The :attribute field must be present.',
+ 'regex' => ':attribute biçimi geçersiz.',
+ 'required' => ':attribute alanı gereklidir.',
+ 'required_if' => ':attribute alanı, :other :value değerine sahip olduğunda zorunludur.',
+ 'required_unless' => 'The :attribute field is required unless :other is in :values.',
+ 'required_with' => ':attribute alanı :values varken zorunludur.',
+ 'required_with_all' => ':attribute alanı herhangi bir :values değeri varken zorunludur.',
+ 'required_without' => ':attribute alanı :values yokken zorunludur.',
+ 'required_without_all' => ':attribute alanı :values değerlerinden herhangi biri yokken zorunludur.',
+ 'same' => ':attribute ile :other eşleşmelidir.',
+ 'size' => [
+ 'numeric' => ':attribute :size olmalıdır.',
+ 'file' => ':attribute :size kilobyte olmalıdır.',
+ 'string' => ':attribute :size karakter olmalıdır.',
+ 'array' => ':attribute :size nesneye sahip olmalıdır.',
+ ],
+ 'string' => ':attribute dizge olmalıdır.',
+ 'timezone' => ':attribute geçerli bir saat dilimi olmalıdır.',
+ 'unique' => ':attribute daha önceden kayıt edilmiş.',
+ 'uploaded' => 'The :attribute failed to upload.',
+ 'url' => ':attribute biçimi geçersiz.',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention "attribute.rule" to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of "email". This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ //
+ ],
+
+];
diff --git a/resources/lang/zh_TW/auth.php b/resources/lang/zh_TW/auth.php
new file mode 100644
index 000000000000..9c8a37bf9243
--- /dev/null
+++ b/resources/lang/zh_TW/auth.php
@@ -0,0 +1,17 @@
+ '使用者名稱或密碼錯誤',
+ 'throttle' => '嘗試登入太多次,請在 :seconds 秒後再試。',
+];
diff --git a/resources/lang/zh_TW/pagination.php b/resources/lang/zh_TW/pagination.php
new file mode 100644
index 000000000000..5b4d40464141
--- /dev/null
+++ b/resources/lang/zh_TW/pagination.php
@@ -0,0 +1,17 @@
+ '« 上一頁',
+ 'next' => '下一頁 »',
+];
diff --git a/resources/lang/zh_TW/passwords.php b/resources/lang/zh_TW/passwords.php
new file mode 100644
index 000000000000..a00ec594ff0c
--- /dev/null
+++ b/resources/lang/zh_TW/passwords.php
@@ -0,0 +1,20 @@
+ '密碼至少要有六個字元且與密碼確認欄位一致。',
+ 'reset' => '密碼已成功重設!',
+ 'sent' => '密碼重設郵件已發送!',
+ 'token' => '密碼重設隨機碼 (token) 無效。',
+ 'user' => '找不到該電子郵件信箱對應的使用者。',
+];
diff --git a/resources/lang/zh_TW/texts.php b/resources/lang/zh_TW/texts.php
new file mode 100644
index 000000000000..5fbde2990af0
--- /dev/null
+++ b/resources/lang/zh_TW/texts.php
@@ -0,0 +1,2871 @@
+ '組織',
+ 'name' => '姓名',
+ 'website' => '網站',
+ 'work_phone' => '電話',
+ 'address' => '地址',
+ 'address1' => '街道',
+ 'address2' => '公寓/套房',
+ 'city' => '城市',
+ 'state' => '州/省',
+ 'postal_code' => '郵遞區號',
+ 'country_id' => '國家',
+ 'contacts' => '通聯資料',
+ 'first_name' => '名',
+ 'last_name' => '姓',
+ 'phone' => '電話',
+ 'email' => '電子郵件',
+ 'additional_info' => '補充資訊',
+ 'payment_terms' => '付款條件',
+ 'currency_id' => '貨幣',
+ 'size_id' => '公司規模',
+ 'industry_id' => '工業',
+ 'private_notes' => '私人註記',
+ 'invoice' => '發票',
+ 'client' => '客戶',
+ 'invoice_date' => '發票開立日期',
+ 'due_date' => '應付款日期',
+ 'invoice_number' => '發票號碼',
+ 'invoice_number_short' => '發票 #',
+ 'po_number' => '郵遞區號',
+ 'po_number_short' => '郵遞區號 #',
+ 'frequency_id' => '多久一次',
+ 'discount' => '折扣',
+ 'taxes' => '各類稅金',
+ 'tax' => '稅',
+ 'item' => '品項',
+ 'description' => '描述',
+ 'unit_cost' => '單位價格',
+ 'quantity' => '數量',
+ 'line_total' => '總價',
+ 'subtotal' => '小計',
+ 'paid_to_date' => '已付',
+ 'balance_due' => '應付餘額',
+ 'invoice_design_id' => '設計',
+ 'terms' => '條件',
+ 'your_invoice' => '您的發票',
+ 'remove_contact' => '移除聯絡資料',
+ 'add_contact' => '新增聯絡資料',
+ 'create_new_client' => '新增客戶',
+ 'edit_client_details' => '編輯詳細的客戶資料',
+ 'enable' => '啟用',
+ 'learn_more' => '瞭解更多',
+ 'manage_rates' => '管理率',
+ 'note_to_client' => '管理率',
+ 'invoice_terms' => '發票之契約條款',
+ 'save_as_default_terms' => '儲存為預設品項',
+ 'download_pdf' => '下載PDF',
+ 'pay_now' => '現在付款',
+ 'save_invoice' => '儲存發票',
+ 'clone_invoice' => '複製至發票',
+ 'archive_invoice' => '將發票歸檔',
+ 'delete_invoice' => '刪除發票',
+ 'email_invoice' => '以電子郵件寄送發票',
+ 'enter_payment' => '輸入付款紀錄',
+ 'tax_rates' => '稅率',
+ 'rate' => '率',
+ 'settings' => '設定',
+ 'enable_invoice_tax' => '啟用註明印花稅',
+ 'enable_line_item_tax' => '啟用註明各品項稅額',
+ 'dashboard' => '概覽',
+ 'clients' => '客戶',
+ 'invoices' => '發票',
+ 'payments' => '付款',
+ 'credits' => '貸款',
+ 'history' => '歷史紀錄',
+ 'search' => '搜尋',
+ 'sign_up' => '登錄',
+ 'guest' => '訪客',
+ 'company_details' => '公司之詳細資料',
+ 'online_payments' => '線上付款',
+ 'notifications' => '注意事項',
+ 'import_export' => '輸出/輸入',
+ 'done' => '作業完畢',
+ 'save' => '儲存',
+ 'create' => '創建',
+ 'upload' => '上載',
+ 'import' => '匯入',
+ 'download' => '下載',
+ 'cancel' => '取消',
+ 'close' => '關閉',
+ 'provide_email' => '請提供正確的電子郵件地址',
+ 'powered_by' => 'Powered by',
+ 'no_items' => '無品項',
+ 'recurring_invoices' => '週期性發票',
+ 'recurring_help' => '每週、每半個月、每月、每季或每年寄送同一發票給客戶們。
+ 使用 :MONTH, :QUARTER or :YEAR 作為日期變數. 亦可用基本算數, 例如:MONTH-1.
+ 動態的發票變數之範例 :
+
+ - " :MONTH的健身俱樂部會員" >> "七月的健身俱樂部會員"
+ - ":YEAR+1 年度的註冊" >> "2015 年度的註冊.
+ - " :QUARTER+1 季的分期付款" >> "第二季的分期付款"
+
',
+ 'recurring_quotes' => 'Recurring Quotes',
+ 'in_total_revenue' => '總收入',
+ 'billed_client' => '已開立帳單之客戶',
+ 'billed_clients' => '所有已開立帳單之客戶',
+ 'active_client' => '維持來往的客戶',
+ 'active_clients' => '所有維持來往的客戶',
+ 'invoices_past_due' => '逾期未付的發票',
+ 'upcoming_invoices' => '即將到期的發票',
+ 'average_invoice' => '平均銷售額',
+ 'archive' => '歸檔',
+ 'delete' => '刪除',
+ 'archive_client' => '將客戶資料歸檔',
+ 'delete_client' => '刪除客戶資料',
+ 'archive_payment' => '將付款紀錄歸檔',
+ 'delete_payment' => '刪除付款紀錄',
+ 'archive_credit' => '將貸款資料歸檔',
+ 'delete_credit' => '刪除',
+ 'show_archived_deleted' => '顯示歸檔的/刪除的資料',
+ 'filter' => '過濾',
+ 'new_client' => '新客戶',
+ 'new_invoice' => '新發票',
+ 'new_payment' => '輸入付款記錄',
+ 'new_credit' => '輸入貸款記錄',
+ 'contact' => '聯絡',
+ 'date_created' => '資料建立日期',
+ 'last_login' => '上一次登入',
+ 'balance' => '差額',
+ 'action' => '動作',
+ 'status' => '狀態',
+ 'invoice_total' => '發票總額',
+ 'frequency' => '頻率',
+ 'start_date' => '開始日期',
+ 'end_date' => '結束日期',
+ 'transaction_reference' => '轉帳資料',
+ 'method' => '方式',
+ 'payment_amount' => '付款金額',
+ 'payment_date' => '付款日期',
+ 'credit_amount' => '貸款金額',
+ 'credit_balance' => '貸款餘額',
+ 'credit_date' => '貸款日期',
+ 'empty_table' => '資料表中無此資料',
+ 'select' => '選擇',
+ 'edit_client' => '編輯客戶資料',
+ 'edit_invoice' => '編輯發票',
+ 'create_invoice' => '建立發票',
+ 'enter_credit' => '輸入貸款資料',
+ 'last_logged_in' => '上次登入於',
+ 'details' => '詳細資料',
+ 'standing' => '資格',
+ 'credit' => '貸款',
+ 'activity' => '活動',
+ 'date' => '日期',
+ 'message' => '訊息',
+ 'adjustment' => '調整',
+ 'are_you_sure' => '您確定嗎?',
+ 'payment_type_id' => '付款方式',
+ 'amount' => '金額',
+ 'work_email' => '電子郵件',
+ 'language_id' => '語言',
+ 'timezone_id' => '時區',
+ 'date_format_id' => '日期格式',
+ 'datetime_format_id' => '日期/時間格式',
+ 'users' => '使用者',
+ 'localization' => '地點',
+ 'remove_logo' => '移除標誌',
+ 'logo_help' => '支援格式:JPEG, GIF and PNG',
+ 'payment_gateway' => '付款閘道',
+ 'gateway_id' => '閘道',
+ 'email_notifications' => '以電子郵件通知',
+ 'email_sent' => '當發票寄出後,以電子郵件通知我',
+ 'email_viewed' => '當發票已被查看後,以電子郵件通知我',
+ 'email_paid' => '當發票款項付清後,以電子郵件通知我',
+ 'site_updates' => '網站更新',
+ 'custom_messages' => '客戶訊息',
+ 'default_email_footer' => '設定預設電子郵件簽署',
+ 'select_file' => '請選擇一個檔案',
+ 'first_row_headers' => '使用第一列作為標題列',
+ 'column' => '行',
+ 'sample' => '樣本',
+ 'import_to' => '匯入至',
+ 'client_will_create' => '客戶資料將被建立',
+ 'clients_will_create' => '多筆客戶資料將被建立',
+ 'email_settings' => '電子郵件設定',
+ 'client_view_styling' => '供客戶閱覽的樣式',
+ 'pdf_email_attachment' => '附加PDF檔案',
+ 'custom_css' => '自訂樣式表',
+ 'import_clients' => '匯入客戶資料',
+ 'csv_file' => 'CSV檔案',
+ 'export_clients' => '匯出客戶資料',
+ 'created_client' => '新增完成的客戶資料',
+ 'created_clients' => '新增完成的 :count 筆客戶資料 (複數)',
+ 'updated_settings' => '已更新完成的設定',
+ 'removed_logo' => '已移除的標誌',
+ 'sent_message' => '已成功寄出的訊息',
+ 'invoice_error' => '請確認是否選擇一筆客戶資料,並更正任何可能存在的錯誤',
+ 'limit_clients' => '抱歉,這樣將會超過 :count 筆客戶資料的限制',
+ 'payment_error' => '您的付款處理過程有誤。請稍後重試。',
+ 'registration_required' => '欲以電子郵件寄送發票,請先登錄 ',
+ 'confirmation_required' => '請確認您的電子郵件地址 :link ,以重寄確認函',
+ 'updated_client' => '完成更新之客戶資料',
+ 'created_client' => '新增完成的客戶資料',
+ 'archived_client' => '完成儲存歸檔的客戶資料',
+ 'archived_clients' => '儲存歸檔完成 :count 筆客戶資料',
+ 'deleted_client' => '刪除完畢的客戶資料',
+ 'deleted_clients' => '刪除完畢 :count 筆客戶資料',
+ 'updated_invoice' => '完成更新的發票',
+ 'created_invoice' => '製作完成的發票',
+ 'cloned_invoice' => '完成複製的發票',
+ 'emailed_invoice' => '完成寄送的發票',
+ 'and_created_client' => '並建立客戶資料',
+ 'archived_invoice' => '完成歸檔的發票',
+ 'archived_invoices' => '完成歸檔 :count 份發票',
+ 'deleted_invoice' => '已刪除完畢的發票',
+ 'deleted_invoices' => '已刪除完畢 :count 份發票',
+ 'created_payment' => '已建立完成的付款資料',
+ 'created_payments' => '建立完成 :count 筆付款資料 (複數)',
+ 'archived_payment' => '完成歸檔的付款資料',
+ 'archived_payments' => '完成儲存歸檔:count 筆付款資料',
+ 'deleted_payment' => '刪除完畢的付款資料',
+ 'deleted_payments' => '刪除完畢 :count 筆付款資料',
+ 'applied_payment' => '完成套用的付款資料',
+ 'created_credit' => '已建立完成的貸款資料',
+ 'archived_credit' => '完成歸檔的貸款資料',
+ 'archived_credits' => '儲存歸檔完成 :count 筆貸款資料',
+ 'deleted_credit' => '刪除完畢的貸款資料',
+ 'deleted_credits' => '刪除完畢 :count 筆貸款資料',
+ 'imported_file' => '順利載入的檔案',
+ 'updated_vendor' => '完成更新之供應商資料',
+ 'created_vendor' => '建立完畢的供應商資料',
+ 'archived_vendor' => '歸檔完畢的供應商資料',
+ 'archived_vendors' => '歸檔完畢的 :count 筆供應商資料',
+ 'deleted_vendor' => '刪除完畢的供應商資料',
+ 'deleted_vendors' => '刪除完畢的 :count 筆供應商資料',
+ 'confirmation_subject' => '確認在發票忍者的帳號',
+ 'confirmation_header' => '確認帳號',
+ 'confirmation_message' => '請利用以下連結來確認您的帳號',
+ 'invoice_subject' => ':account 名下的第 :number 筆新發票',
+ 'invoice_message' => '欲查看您這筆金額 :amount的發票,請點擊以下連結',
+ 'payment_subject' => '收到的付款',
+ 'payment_message' => '感謝您支付 :amount元。',
+ 'email_salutation' => '親愛的 :name,',
+ 'email_signature' => '向您致意,',
+ 'email_from' => '發票忍者團隊',
+ 'invoice_link_message' => '欲查看此發票,請點選以下連結:',
+ 'notification_invoice_paid_subject' => '發票 :invoice 已由 :client付款',
+ 'notification_invoice_sent_subject' => '發票 :invoice 已寄送給 :client',
+ 'notification_invoice_viewed_subject' => ':client已閱覽了發票 :invoice',
+ 'notification_invoice_paid' => 'A payment of :amount was made by client :client towards Invoice :invoice.
+客戶:client 已為 發票 :invoice支付 :amount。',
+ 'notification_invoice_sent' => '金額為 :amount 的發票 :invoice 已用電子郵件寄送給以下客戶 :client。',
+ 'notification_invoice_viewed' => '以下客戶 :client 已閱覽金額為 :amount 的發票 :invoice。',
+ 'reset_password' => '您可重新點選以下按鈕來重新設定您的帳戶密碼:',
+ 'secure_payment' => '安全付款',
+ 'card_number' => '卡號',
+ 'expiration_month' => '效期月份',
+ 'expiration_year' => '效期年份',
+ 'cvv' => '信用卡認證編號',
+ 'logout' => '登出',
+ 'sign_up_to_save' => '登錄,以便儲存您的工作',
+ 'agree_to_terms' => '我同意 :terms',
+ 'terms_of_service' => '服務條款',
+ 'email_taken' => '這個電子郵件地址已經註冊了',
+ 'working' => '工作中',
+ 'success' => '完成',
+ 'success_message' => '您已註冊成功!請使用帳戶確認函中的連結驗證您的電子郵件地址。',
+ 'erase_data' => '您的帳號尚未登記,這將使您的資料被永久刪除。',
+ 'password' => '密碼',
+ 'pro_plan_product' => '專業版',
+ 'pro_plan_success' => '感謝您使用發票忍者的專業版!
+ 下一步一份待付的發票已寄送到您的帳號所使用的電子郵件地址
+ 欲啟用專業版所有的厲害功能,請依循發票上的指示付款,以使用為期一年的專業級發票開立作業。
+ 無法找到發票?需要進一步的協助?我們樂於提供協助-- 請寫電子郵件給我們寄至 contact@invoiceninja.com',
+ 'unsaved_changes' => '您有尚未儲存的修改',
+ 'custom_fields' => '客戶自訂的欄位',
+ 'company_fields' => '公司欄位',
+ 'client_fields' => '客戶欄位',
+ 'field_label' => '標籤欄位',
+ 'field_value' => '欄位值',
+ 'edit' => '編輯',
+ 'set_name' => '設定您的公司名稱',
+ 'view_as_recipient' => '以收件匣模式檢視',
+ 'product_library' => '產品資料庫',
+ 'product' => '產品',
+ 'products' => '各項產品',
+ 'fill_products' => '自動填入之產品項目',
+ 'fill_products_help' => '選擇產品後會自動填入描述與價格',
+ 'update_products' => '自動更新產品',
+ 'update_products_help' => '更新發票時會自動 更新產品資料庫',
+ 'create_product' => '新增產品',
+ 'edit_product' => '編輯產品資料',
+ 'archive_product' => '儲存產品資料',
+ 'updated_product' => '成功更新的產品資料',
+ 'created_product' => '成功建立的產品資料',
+ 'archived_product' => '成功存檔的產品資料',
+ 'pro_plan_custom_fields' => ':link 採用專業版,即可使用自訂欄位',
+ 'advanced_settings' => '進階設定',
+ 'pro_plan_advanced_settings' => ':link 採用專業版,即可使用進階設定',
+ 'invoice_design' => '發票設計',
+ 'specify_colors' => '選擇顏色',
+ 'specify_colors_label' => '選擇發票所使用的顏色',
+ 'chart_builder' => '圖表製作',
+ 'ninja_email_footer' => '由 :site 製作 | 製作。寄送。收款。',
+ 'go_pro' => '採用專業版',
+ 'quote' => '報價單',
+ 'quotes' => '報價單',
+ 'quote_number' => '報價單編號',
+ 'quote_number_short' => '報價單 #',
+ 'quote_date' => '報價單日期',
+ 'quote_total' => '報價單總計',
+ 'your_quote' => '您的報價單',
+ 'total' => '總計',
+ 'clone' => '複製',
+ 'new_quote' => '新報價單',
+ 'create_quote' => '建立報價單',
+ 'edit_quote' => '編輯報價單',
+ 'archive_quote' => '將報價單歸檔',
+ 'delete_quote' => '刪除報價單',
+ 'save_quote' => '儲存報價單',
+ 'email_quote' => '以電子郵件傳送報價單',
+ 'clone_quote' => '複製到報價單',
+ 'convert_to_invoice' => '轉換至發票',
+ 'view_invoice' => '觀看發票',
+ 'view_client' => '查看客戶資料',
+ 'view_quote' => '查看報價單',
+ 'updated_quote' => '報價單更新完成',
+ 'created_quote' => '報價單建立完成',
+ 'cloned_quote' => '報價單複製完成',
+ 'emailed_quote' => '報價單寄送完成',
+ 'archived_quote' => '報價單存檔完成',
+ 'archived_quotes' => '完成存檔 :count 份報價單',
+ 'deleted_quote' => '報價單刪除完成',
+ 'deleted_quotes' => '成功刪除 :count 份報價單',
+ 'converted_to_invoice' => '成功地將報價單轉為發票',
+ 'quote_subject' => ':account 的第 :number 份新報價單',
+ 'quote_message' => '欲查看 :amount 之報價單,請點選以下連結。',
+ 'quote_link_message' => '欲查看您的客戶之報價單,請點選以下連結。',
+ 'notification_quote_sent_subject' => '報價單 :invoice 已寄送給 :client',
+ 'notification_quote_viewed_subject' => ':client已閱覽了報價單 :invoice',
+ 'notification_quote_sent' => '金額為 :amount 的報價單 :invoice 已用電子郵件寄送給客戶 :client ',
+ 'notification_quote_viewed' => '以下客戶 :client 已閱覽金額為 :amount 的報價單 :invoice。',
+ 'session_expired' => '您本次的連線已超過期限。',
+ 'invoice_fields' => '發票欄位',
+ 'invoice_options' => '發票選項',
+ 'hide_paid_to_date' => '隱藏迄今之付款金額',
+ 'hide_paid_to_date_help' => '一旦收到付款,僅在您的發票上顯示「迄今之付款金額」。',
+ 'charge_taxes' => '附收稅款',
+ 'user_management' => '管理使用者',
+ 'add_user' => '新增使用者',
+ 'send_invite' => '發送邀請',
+ 'sent_invite' => '成功寄出邀請函',
+ 'updated_user' => '成功更新使用者資料',
+ 'invitation_message' => '您被 :invitor邀請。',
+ 'register_to_add_user' => '請登入以新增使用者',
+ 'user_state' => '狀態',
+ 'edit_user' => '編輯使用者',
+ 'delete_user' => '刪除使用者',
+ 'active' => '進行中的',
+ 'pending' => '暫停的',
+ 'deleted_user' => '成功刪除使用者',
+ 'confirm_email_invoice' => '確定要電郵這發票嗎?',
+ 'confirm_email_quote' => '您是否確定以電子郵件寄送這份報價單?',
+ 'confirm_recurring_email_invoice' => '您確定您要以電郵寄送這份發票?',
+ 'confirm_recurring_email_invoice_not_sent' => '您確定您要啟動這項循環?',
+ 'cancel_account' => '刪除帳戶',
+ 'cancel_account_message' => '警告:這將永久刪除您的帳戶,而且無法恢復。',
+ 'go_back' => '返回',
+ 'data_visualizations' => '資料視覺化',
+ 'sample_data' => '顯示的範例日期',
+ 'hide' => '隱藏',
+ 'new_version_available' => '有 :releases_link 最新的版本可用。您目前使用的是 :user_version 版,最新版是 :latest_version版',
+ 'invoice_settings' => '發票設定',
+ 'invoice_number_prefix' => '發票號碼之前置符號',
+ 'invoice_number_counter' => '發票號碼計數器',
+ 'quote_number_prefix' => '報價單編號之前置符號',
+ 'quote_number_counter' => '報價單編號計數',
+ 'share_invoice_counter' => '共用發票計數器',
+ 'invoice_issued_to' => '此發票開立給',
+ 'invalid_counter' => '為避免可能發生的衝突,請設定一個報價單或發票的編號前置符號',
+ 'mark_sent' => '標記為已送出',
+ 'gateway_help_1' => ':link 註冊 Authorize.net。',
+ 'gateway_help_2' => ':link 註冊 Authorize.net。',
+ 'gateway_help_17' => ':link 取得您的PayPal API 簽署。',
+ 'gateway_help_27' => ':link 以註冊 2Checkout.com。 欲確保付款能被追查,請在2Checkout的入口網頁的 Account > Site Management in the 2Checkout 設定 :complete_link 作為重新轉向的的網址。',
+ 'gateway_help_60' => '用以:link 來建立一個 WePay 帳號。',
+ 'more_designs' => '更多設計',
+ 'more_designs_title' => '更多的發票設計',
+ 'more_designs_cloud_header' => '升級到專業版,以使用更多發票設計',
+ 'more_designs_cloud_text' => '',
+ 'more_designs_self_host_text' => '',
+ 'buy' => '購買',
+ 'bought_designs' => '已成功地新增額外的設計',
+ 'sent' => '送出',
+ 'vat_number' => '加值型營業稅號碼',
+ 'timesheets' => '時間表',
+ 'payment_title' => '輸入您的帳單寄送地址與信用卡資料',
+ 'payment_cvv' => '* 即您的信用卡背面的3-4個數字',
+ 'payment_footer1' => '帳單寄送地址必須與信用卡地址相同',
+ 'payment_footer2' => '* 請只點選一次「現在付款」——轉帳作業時間可能需要1分鐘。',
+ 'id_number' => '身份證字號',
+ 'white_label_link' => '白牌',
+ 'white_label_header' => '白牌',
+ 'bought_white_label' => '成功啟動白牌授權',
+ 'white_labeled' => '已獲准使用白牌',
+ 'restore' => '復原',
+ 'restore_invoice' => '復原發票',
+ 'restore_quote' => '復原報價單',
+ 'restore_client' => '復原客戶資料',
+ 'restore_credit' => '復原貸款資料',
+ 'restore_payment' => '復原付款資料',
+ 'restored_invoice' => '成功地復原的發票',
+ 'restored_quote' => '成功地復原報價單',
+ 'restored_client' => '成功地復原的客戶資料',
+ 'restored_payment' => '成功復原的付款資料',
+ 'restored_credit' => '成功復原的貸款資料',
+ 'reason_for_canceling' => '告訴我們您為什麼離開,幫助我們改善我們的網站。',
+ 'discount_percent' => '百分比',
+ 'discount_amount' => '金額',
+ 'invoice_history' => '發票之歷程記錄',
+ 'quote_history' => '報價單的歷史紀錄',
+ 'current_version' => '目前版本',
+ 'select_version' => '選擇版本',
+ 'view_history' => '觀看紀錄',
+ 'edit_payment' => '編輯付款資料',
+ 'updated_payment' => '成功更新的付款資料',
+ 'deleted' => '已刪除',
+ 'restore_user' => '復原使用者資料',
+ 'restored_user' => '復原使用者資料',
+ 'show_deleted_users' => '顯示已刪除的使用者',
+ 'email_templates' => '郵件範本',
+ 'invoice_email' => '發票郵件',
+ 'payment_email' => '付款資料郵件',
+ 'quote_email' => '估價單郵件',
+ 'reset_all' => '重設一切',
+ 'approve' => '同意',
+ 'token_billing_type_id' => '設定帳單的安全代碼',
+ 'token_billing_help' => '以 WePay, Stripe, Braintree or GoCardless儲存詳細的付款資料。',
+ 'token_billing_1' => '已停用',
+ 'token_billing_2' => '加入 - 核取方塊顯示,但未選取',
+ 'token_billing_3' => '退出 - 核取方塊顯示且已選取',
+ 'token_billing_4' => '永遠',
+ 'token_billing_checkbox' => '儲存信用卡詳細資料',
+ 'view_in_gateway' => '在 :gateway檢視',
+ 'use_card_on_file' => '使用登記之信用卡',
+ 'edit_payment_details' => '編輯詳細的付款資料',
+ 'token_billing' => '儲存卡片詳細資料',
+ 'token_billing_secure' => '資料已安全地由 :link儲存',
+ 'support' => '支援',
+ 'contact_information' => '聯絡人資料',
+ '256_encryption' => '256位元加密',
+ 'amount_due' => '應支付的金額',
+ 'billing_address' => '帳單寄送地址',
+ 'billing_method' => '帳單寄送方式',
+ 'order_overview' => '訂購總覽',
+ 'match_address' => '*地址必須與信用卡地址一致。',
+ 'click_once' => '*請只點擊一次"現在付款" —轉帳作業可能需要用1分鐘。',
+ 'invoice_footer' => '發票頁尾',
+ 'save_as_default_footer' => '儲存為預設的頁尾',
+ 'token_management' => '管理安全代碼',
+ 'tokens' => '安全代碼',
+ 'add_token' => '新增安全代碼',
+ 'show_deleted_tokens' => '顯示已刪除的安全代碼',
+ 'deleted_token' => '成功刪除安全代碼',
+ 'created_token' => '成功建立安全代碼',
+ 'updated_token' => '成功更新安全代碼',
+ 'edit_token' => '編輯安全代碼',
+ 'delete_token' => '刪除安全代碼',
+ 'token' => '安全代碼',
+ 'add_gateway' => '新增閘道',
+ 'delete_gateway' => '刪除閘道',
+ 'edit_gateway' => '編輯閘道',
+ 'updated_gateway' => '已成功更新入口',
+ 'created_gateway' => '已成功建立入口',
+ 'deleted_gateway' => '已成功刪除入口',
+ 'pay_with_paypal' => 'PayPal',
+ 'pay_with_card' => '信用卡',
+ 'change_password' => '改變密碼',
+ 'current_password' => '目前的密碼',
+ 'new_password' => '新密碼',
+ 'confirm_password' => '確認密碼',
+ 'password_error_incorrect' => '目前的密碼不正確',
+ 'password_error_invalid' => '這個新密碼不正確',
+ 'updated_password' => '以成功更新密碼',
+ 'api_tokens' => 'API的安全代碼',
+ 'users_and_tokens' => '使用者與安全代碼',
+ 'account_login' => '登入帳戶',
+ 'recover_password' => '重設您的密碼',
+ 'forgot_password' => '忘記您的密碼?',
+ 'email_address' => '電子郵件地址',
+ 'lets_go' => '讓我們開始',
+ 'password_recovery' => '重設密碼',
+ 'send_email' => '寄送電子郵件',
+ 'set_password' => '設定密碼',
+ 'converted' => '已轉換',
+ 'email_approved' => ' 同意報價單後即以電子郵件通知我',
+ 'notification_quote_approved_subject' => ':client已同意報價單 :invoice ',
+ 'notification_quote_approved' => '以下的客戶 :client 同意這份 :amount的報價單 :invoice.',
+ 'resend_confirmation' => '以電子郵件重寄確認信',
+ 'confirmation_resent' => '確認信已用電子郵件寄送',
+ 'gateway_help_42' => '經由 :link註冊BitPay。
注意:使用舊版的API金鑰,而非API 的安全代碼。',
+ 'payment_type_credit_card' => '信用卡',
+ 'payment_type_paypal' => 'PayPal',
+ 'payment_type_bitcoin' => '比特幣',
+ 'payment_type_gocardless' => 'GoCardless',
+ 'knowledge_base' => '知識庫',
+ 'partial' => '部分付款/保證金',
+ 'partial_remaining' => ':balance的:partial',
+ 'more_fields' => '較多欄位',
+ 'less_fields' => '較少欄位',
+ 'client_name' => '客戶名稱',
+ 'pdf_settings' => 'PDF設定',
+ 'product_settings' => '產品設定',
+ 'auto_wrap' => '自動換行',
+ 'duplicate_post' => '警告:上一頁被提交兩次,第二次的提交已被略過。',
+ 'view_documentation' => '查看說明文件',
+ 'app_title' => '免費、開源的線上發票管理程式',
+ 'app_description' => '發票忍者是一個為消費者建立發票、帳單的免費、開源工具。使用發票忍者,您可輕易地從任何連網裝置建立並寄送美觀的發票。您的客戶可列印您的發票、下載其PDF檔案,甚至在此系統內線上付款給您。',
+ 'rows' => '行',
+ 'www' => 'www',
+ 'logo' => '標誌',
+ 'subdomain' => '子網域',
+ 'provide_name_or_email' => '請提供名字或電子郵件地址',
+ 'charts_and_reports' => '圖表與報告',
+ 'chart' => '圖表',
+ 'report' => '報告',
+ 'group_by' => '歸納為群組的條件:',
+ 'paid' => '支付',
+ 'enable_report' => '報告',
+ 'enable_chart' => '圖表',
+ 'totals' => '總計',
+ 'run' => '執行',
+ 'export' => '匯出',
+ 'documentation' => '文件',
+ 'zapier' => 'Zapier',
+ 'recurring' => '週期性的',
+ 'last_invoice_sent' => '上一份發票寄出於',
+ 'processed_updates' => '已更新成功',
+ 'tasks' => '任務',
+ 'new_task' => '新任務',
+ 'start_time' => '開始時間',
+ 'created_task' => '成功建立的工作項目',
+ 'updated_task' => '成功更新的工作項目',
+ 'edit_task' => '編輯工作項目',
+ 'archive_task' => '儲存工作項目',
+ 'restore_task' => '復原任務',
+ 'delete_task' => '刪除工作項目',
+ 'stop_task' => '停止工作項目',
+ 'time' => '時間',
+ 'start' => '開始',
+ 'stop' => '停止',
+ 'now' => '現在',
+ 'timer' => '計時器',
+ 'manual' => '手動',
+ 'date_and_time' => '日期與時間',
+ 'second' => '秒',
+ 'seconds' => '秒',
+ 'minute' => '分',
+ 'minutes' => '分',
+ 'hour' => '時',
+ 'hours' => '時',
+ 'task_details' => '工作細節',
+ 'duration' => '時間長度',
+ 'end_time' => '結束的時間',
+ 'end' => '結束',
+ 'invoiced' => '已開立發票的',
+ 'logged' => '已登入',
+ 'running' => '執行中',
+ 'task_error_multiple_clients' => '任務不可屬於不同的客戶',
+ 'task_error_running' => '請先停止執行任務',
+ 'task_error_invoiced' => '此任務的發票已開立',
+ 'restored_task' => '已成功復原任務的資料',
+ 'archived_task' => '已成功將任務存檔',
+ 'archived_tasks' => '已成功將 :count 項任務存檔',
+ 'deleted_task' => '已成功刪除任務',
+ 'deleted_tasks' => '已成功刪除 :count 項任務',
+ 'create_task' => '建立工作項目',
+ 'stopped_task' => '已成功停止任務',
+ 'invoice_task' => '為任務開立發票',
+ 'invoice_labels' => '發票標籤',
+ 'prefix' => '前置符號',
+ 'counter' => '計數器',
+ 'payment_type_dwolla' => 'Dwolla',
+ 'gateway_help_43' => '從 :link 註冊 Dwolla',
+ 'partial_value' => '必須大於零且小於總額',
+ 'more_actions' => '更多動作',
+ 'pro_plan_title' => '專業版忍者',
+ 'pro_plan_call_to_action' => '現在就升級!',
+ 'pro_plan_feature1' => '建立數量無限的客戶資料',
+ 'pro_plan_feature2' => '開始使用10種美觀的發票設計',
+ 'pro_plan_feature3' => '自訂URLs - "YourBrand.InvoiceNinja.com"',
+ 'pro_plan_feature4' => '移除 "Created by Invoice Ninja" 字樣',
+ 'pro_plan_feature5' => '多使用者登入 以及 追蹤活動',
+ 'pro_plan_feature6' => '建立報價單與專業格是的發票',
+ 'pro_plan_feature7' => '自訂發票的標題與編號欄位',
+ 'pro_plan_feature8' => '選項:附加PDF檔案於寄送給客戶的電子郵件',
+ 'resume' => '重來',
+ 'break_duration' => '中斷',
+ 'edit_details' => '編輯詳細資料',
+ 'work' => '工作',
+ 'timezone_unset' => '請 :link 以設定您的時區',
+ 'click_here' => '點擊此處',
+ 'email_receipt' => '以電子郵件寄送付款收據給客戶',
+ 'created_payment_emailed_client' => '已成功建立付款資料且寄送給客戶',
+ 'add_company' => '新增公司資料',
+ 'untitled' => '無標題',
+ 'new_company' => '新的公司資料',
+ 'associated_accounts' => '成功連結的帳戶',
+ 'unlinked_account' => '成功取消連結的帳戶',
+ 'login' => '登入',
+ 'or' => '或',
+ 'email_error' => '寄送郵件時發生問題',
+ 'confirm_recurring_timing' => '注意:郵件已於這個小時開始時寄送。',
+ 'confirm_recurring_timing_not_sent' => '注意:發票已於這個小時開始時建立。',
+ 'payment_terms_help' => '設定預設的 發票日期',
+ 'unlink_account' => '取消帳戶的連結',
+ 'unlink' => '取消連結',
+ 'show_address' => '顯示地址',
+ 'show_address_help' => '需要客戶提供其送貨地址',
+ 'update_address' => '更新地址',
+ 'update_address_help' => '以提供的詳細資料更新客戶地址',
+ 'times' => '時段',
+ 'set_now' => '設定為現在',
+ 'dark_mode' => '黑暗模式',
+ 'dark_mode_help' => '使用深色背景於側邊欄',
+ 'add_to_invoice' => '新增至發票 :invoice',
+ 'create_new_invoice' => '新增發票',
+ 'task_errors' => '請修正所有的重疊時段',
+ 'from' => '從',
+ 'to' => '到',
+ 'font_size' => '字型大小',
+ 'primary_color' => '第一種顏色',
+ 'secondary_color' => '第二種顏色',
+ 'customize_design' => '自訂設計',
+ 'content' => '內容',
+ 'styles' => '格式',
+ 'defaults' => '預設值',
+ 'margins' => '頁緣',
+ 'header' => '頁首',
+ 'footer' => '頁尾',
+ 'custom' => '自訂',
+ 'invoice_to' => '發票給',
+ 'invoice_no' => '發票編號',
+ 'quote_no' => '報價單編號',
+ 'recent_payments' => '最近的支付',
+ 'outstanding' => '未付清的',
+ 'manage_companies' => '處理公司資料',
+ 'total_revenue' => '總收入',
+ 'current_user' => '目前的使者者',
+ 'new_recurring_invoice' => '新的週期性發票',
+ 'recurring_invoice' => '週期性發票',
+ 'new_recurring_quote' => 'New recurring quote',
+ 'recurring_quote' => 'Recurring Quote',
+ 'recurring_too_soon' => '尚未到建立下一份週期性發票的時候,下一次建立發票的預定日期為 :date',
+ 'created_by_invoice' => '由 :invoice建立',
+ 'primary_user' => '首要的使用者',
+ 'help' => '幫助',
+ 'customize_help' => '我們使用 :pdfmake_link 來以宣告方式界定發票的設計。PDF製作 :playground_link能清楚呈現程式庫的運作。
+ 如果您需要釋疑,請在我們的 :forum_link就您的設計發問。
',
+ 'playground' => '練習場',
+ 'support_forum' => '支援討論區',
+ 'invoice_due_date' => '應付款日期',
+ 'quote_due_date' => '有效至',
+ 'valid_until' => '有效至',
+ 'reset_terms' => '重設條款',
+ 'reset_footer' => '重設頁尾',
+ 'invoice_sent' => '已寄出 :count 份發票',
+ 'invoices_sent' => '已寄出 :count 份發票',
+ 'status_draft' => '草稿',
+ 'status_sent' => '已寄出',
+ 'status_viewed' => '已閱覽',
+ 'status_partial' => '入口',
+ 'status_paid' => '已付款',
+ 'status_unpaid' => '未付款的',
+ 'status_all' => '全部',
+ 'show_line_item_tax' => '顯示 此項目之稅金',
+ 'iframe_url' => '網站',
+ 'iframe_url_help1' => '將以下數碼複製到您的網站上的一個網頁',
+ 'iframe_url_help2' => '您可點擊「以收件匣模式檢視」發票來測試這項功能',
+ 'auto_bill' => '自動帳單',
+ 'military_time' => '24小時制',
+ 'last_sent' => '最後寄出',
+ 'reminder_emails' => '提醒電郵',
+ 'templates_and_reminders' => '範本與提醒',
+ 'subject' => '主旨',
+ 'body' => '內文',
+ 'first_reminder' => '第一次提醒',
+ 'second_reminder' => '第二次提醒',
+ 'third_reminder' => '第三次提醒',
+ 'num_days_reminder' => '應付款日期之天數',
+ 'reminder_subject' => '提醒函: :account的發票 :invoice',
+ 'reset' => '重設',
+ 'invoice_not_found' => '無法提供您所查詢的發票',
+ 'referral_program' => '推薦計劃',
+ 'referral_code' => '推薦的URL',
+ 'last_sent_on' => '上次寄出於::date',
+ 'page_expire' => '此網頁即將逾期,:click_here 以繼續作業',
+ 'upcoming_quotes' => '近日將處理的報價單',
+ 'expired_quotes' => '過期的報價單',
+ 'sign_up_using' => '註冊,使用',
+ 'invalid_credentials' => '這些憑證不符我們的紀錄',
+ 'show_all_options' => '顯示所有選項',
+ 'user_details' => '關於使用者的詳細資料',
+ 'oneclick_login' => '已連結的帳戶',
+ 'disable' => '關閉功能',
+ 'invoice_quote_number' => '發票與報價單的號碼',
+ 'invoice_charges' => '發票的額外費用',
+ 'notification_invoice_bounced' => '我們無法 Invoice :invoice to :contact.',
+ 'notification_invoice_bounced_subject' => '無法傳送發票 :invoice',
+ 'notification_quote_bounced' => '我們無法傳送報價單 :invoice 給 :contact.',
+ 'notification_quote_bounced_subject' => '無法傳送報價單 :invoice',
+ 'custom_invoice_link' => '自訂的發票連結',
+ 'total_invoiced' => '開立發票總額',
+ 'open_balance' => '未付的餘額',
+ 'verify_email' => '請用帳號確認電郵中的連結來認證您的電子郵件。',
+ 'basic_settings' => '基本設定',
+ 'pro' => '專業版的',
+ 'gateways' => '付款閘道',
+ 'next_send_on' => '下次寄出於: :date',
+ 'no_longer_running' => '此發票並未列入排程',
+ 'general_settings' => '一般設定',
+ 'customize' => '自訂',
+ 'oneclick_login_help' => '連結一個帳號,不必密碼即可登入',
+ 'referral_code_help' => '在網路上分享我們的APP,賺取金錢',
+ 'enable_with_stripe' => '啟用 | 需要刪除多餘空格',
+ 'tax_settings' => '稅額設定',
+ 'create_tax_rate' => '新增稅率',
+ 'updated_tax_rate' => '已成功更新稅率',
+ 'created_tax_rate' => '已成功地建立稅率',
+ 'edit_tax_rate' => '編輯稅率',
+ 'archive_tax_rate' => '儲存稅率',
+ 'archived_tax_rate' => '已成功地儲存稅率',
+ 'default_tax_rate_id' => '預設稅率',
+ 'tax_rate' => '稅率',
+ 'recurring_hour' => '循環的發票的時間',
+ 'pattern' => '類型',
+ 'pattern_help_title' => '關於類型的說明',
+ 'pattern_help_1' => '指定一個類型來建立消費者編號',
+ 'pattern_help_2' => '可用的變數:',
+ 'pattern_help_3' => '例如, :example 將會轉換為 :value',
+ 'see_options' => '查看選項',
+ 'invoice_counter' => '發票計數器',
+ 'quote_counter' => '報價單計數器',
+ 'type' => '類型',
+ 'activity_1' => ':user 建立 :client之客戶資料',
+ 'activity_2' => ':user 將 :client之客戶資料存檔',
+ 'activity_3' => ':user 已刪除客戶 :client',
+ 'activity_4' => ':user 已建立 :client之客戶資料',
+ 'activity_5' => ':user 已更新發票 :invoice',
+ 'activity_6' => ':user 已寄送 :invoice 給 :contact',
+ 'activity_7' => ':contact 已查看e :invoice',
+ 'activity_8' => ':user 已將 :invoice存檔',
+ 'activity_9' => ':user 已刪除發票 :invoice',
+ 'activity_10' => ':contact 已輸入 :invoice的付款金額 :payment ',
+ 'activity_11' => ':user 已更新付款資料 :payment',
+ 'activity_12' => ':user 已儲存付款資料 :payment',
+ 'activity_13' => ':user 已刪除付款資料 :payment',
+ 'activity_14' => ':user 已輸入貸款資料 :credit ',
+ 'activity_15' => ':user 更新貸款 :credit',
+ 'activity_16' => ':user 已將 :credit 貸款資料存檔',
+ 'activity_17' => ':user 已刪除 :credit 貸款資料',
+ 'activity_18' => ':user 已建立發票:quote',
+ 'activity_19' => ':user 已更新發票 :quote',
+ 'activity_20' => ':user 以將報價單 :quote 以電子郵件寄給 :contact',
+ 'activity_21' => ':contact 已閱覽報價單 :quote',
+ 'activity_22' => ':user 已將發票 :quote存檔',
+ 'activity_23' => ':user 已刪除發票 :quote',
+ 'activity_24' => ':user 已復原報價單 :quote',
+ 'activity_25' => ':user 已復原發票 :invoice',
+ 'activity_26' => ':user已復原客戶 :client資料',
+ 'activity_27' => ':user 已復原付款資料 :payment',
+ 'activity_28' => ':user 已復原 :credit 貸款資料',
+ 'activity_29' => ':contact 同意報價單 :quote',
+ 'activity_30' => ':user已建立供應商 :vendor資料',
+ 'activity_31' => ':user已將供應商 :vendor存檔',
+ 'activity_32' => ':user已刪除供應商 :vendor',
+ 'activity_33' => ':user已復原供應商 :vendor',
+ 'activity_34' => ':user已建立支出 :expense',
+ 'activity_35' => ':user已將支出 :expense存檔',
+ 'activity_36' => ':user已刪除支出 :expense',
+ 'activity_37' => ':user已復原支出 :expense',
+ 'activity_42' => ':user 已建立任務 :task',
+ 'activity_43' => ':user 已將任務 :task更新',
+ 'activity_44' => ':user 已將任務 :task存檔',
+ 'activity_45' => ':user 已將任務 :task刪除',
+ 'activity_46' => ':user 已將任務 :task復原',
+ 'activity_47' => ':user 已將支出 :expense更新',
+ 'payment' => '付款',
+ 'system' => '系統',
+ 'signature' => '電子郵件簽名',
+ 'default_messages' => '預設的訊息',
+ 'quote_terms' => '報價單條款',
+ 'default_quote_terms' => '預設的報價單條款',
+ 'default_invoice_terms' => '預設的發票條款',
+ 'default_invoice_footer' => '預設的發票頁尾',
+ 'quote_footer' => '發票頁尾',
+ 'free' => '免費',
+ 'quote_is_approved' => '已獲同意',
+ 'apply_credit' => '使用貸款',
+ 'system_settings' => '系統設定',
+ 'archive_token' => '將安全代碼存檔',
+ 'archived_token' => '已成功地將安全代碼存檔',
+ 'archive_user' => '將使用者資料存檔',
+ 'archived_user' => '已成功存檔的使用者資料',
+ 'archive_account_gateway' => '儲存閘道資料',
+ 'archived_account_gateway' => '已成功地儲存閘道資料',
+ 'archive_recurring_invoice' => '儲存週期性發票',
+ 'archived_recurring_invoice' => '已成功儲存週期性發票',
+ 'delete_recurring_invoice' => '刪除週期性發票',
+ 'deleted_recurring_invoice' => '已成功刪除週期性發票',
+ 'restore_recurring_invoice' => '復原週期性發票',
+ 'restored_recurring_invoice' => '已成功復原週期性發票',
+ 'archive_recurring_quote' => 'Archive Recurring Quote',
+ 'archived_recurring_quote' => 'Successfully archived recurring quote',
+ 'delete_recurring_quote' => 'Delete Recurring Quote',
+ 'deleted_recurring_quote' => 'Successfully deleted recurring quote',
+ 'restore_recurring_quote' => 'Restore Recurring Quote',
+ 'restored_recurring_quote' => 'Successfully restored recurring quote',
+ 'archived' => '已存檔的',
+ 'untitled_account' => '無名稱的公司',
+ 'before' => '先於',
+ 'after' => '後於',
+ 'reset_terms_help' => '重設至預設的帳戶條款',
+ 'reset_footer_help' => '重設至預設的帳戶頁尾',
+ 'export_data' => '匯出資料',
+ 'user' => '使用者',
+ 'country' => '國家',
+ 'include' => '包含',
+ 'logo_too_large' => '您的標誌大小為 :size,。我們建議您上傳一個小於200KB的圖像檔案以改善PDF的效能',
+ 'import_freshbooks' => '從FreshBooks匯入',
+ 'import_data' => '匯入資料',
+ 'source' => '來源',
+ 'csv' => 'CSV',
+ 'client_file' => '客戶檔案',
+ 'invoice_file' => '發票檔案',
+ 'task_file' => '任務檔案',
+ 'no_mapper' => '此檔案的格式配置無效',
+ 'invalid_csv_header' => '無效的CSV項目名稱列',
+ 'client_portal' => '客戶入口',
+ 'admin' => '管理者',
+ 'disabled' => '已停用',
+ 'show_archived_users' => '顯示已存檔的使用者資料',
+ 'notes' => '註',
+ 'invoice_will_create' => '將會建立發票',
+ 'invoices_will_create' => '將會建立發票',
+ 'failed_to_import' => '無法載入以下的紀錄,它們已存在或缺少必填的欄位',
+ 'publishable_key' => '可公開的金鑰',
+ 'secret_key' => '秘密金鑰',
+ 'missing_publishable_key' => '設定您的Stripe可公開金鑰以優化結帳手續',
+ 'email_design' => '電子郵件的設計',
+ 'due_by' => 'Due by :date之前須付款',
+ 'enable_email_markup' => '啟用網頁標示',
+ 'enable_email_markup_help' => '將schema.org 網頁標示加入您的電子郵件,以使您的客戶能夠更容易地付款給您。',
+ 'template_help_title' => '關於範本的說明',
+ 'template_help_1' => '可用的變項:',
+ 'email_design_id' => '電子郵件的樣式',
+ 'email_design_help' => '使用HTML的呈現方式,讓您的電子郵件看起來更專業。',
+ 'plain' => '純文字',
+ 'light' => '淺色',
+ 'dark' => '深色',
+ 'industry_help' => '以此對照小型公司與產業的平均值。',
+ 'subdomain_help' => '設定子網域或在您的網站上顯示發票',
+ 'website_help' => '在您自己的網站上的iFrame內顯示發票',
+ 'invoice_number_help' => '設定一個前置符號或使用自訂型態,以動態地設定發票號碼。',
+ 'quote_number_help' => '設定一個前置符號或使用自訂型態,以動態地設定發票號碼。',
+ 'custom_client_fields_helps' => '該欄位的在建立一筆客戶資料時新增欄位,並選擇性地在PDF檔案中顯示其名稱與值。',
+ 'custom_account_fields_helps' => '增加一組項目名稱與值到PDF的公司詳細資料區',
+ 'custom_invoice_fields_helps' => '於建立一份發票時增加欄位,且可選擇在PDF檔案顯示欄位名稱與值。',
+ 'custom_invoice_charges_helps' => '該欄位的在建立一筆客戶資料時新增欄位,且在發票小計中加入費用',
+ 'token_expired' => '認證用的安全代碼已過期。請再試一遍。',
+ 'invoice_link' => '發票的連結',
+ 'button_confirmation_message' => '點擊,以確認您的郵件地址',
+ 'confirm' => '確認',
+ 'email_preferences' => '電子郵件之偏好設定。',
+ 'created_invoices' => '成功建立 :count 份發票(單數或複數)',
+ 'next_invoice_number' => '下一個發票號碼是 :number.',
+ 'next_quote_number' => '下一個報價單號碼是 :number.',
+ 'days_before' => '於此之前的天數:',
+ 'days_after' => '於此之的天數:',
+ 'field_due_date' => '應付款日期',
+ 'field_invoice_date' => '發票日期',
+ 'schedule' => '時間表',
+ 'email_designs' => '電子郵件的樣式設計',
+ 'assigned_when_sent' => '在寄送時指定',
+ 'white_label_purchase_link' => '購買白牌授權',
+ 'expense' => '支出',
+ 'expenses' => '支出',
+ 'new_expense' => '輸入支出',
+ 'enter_expense' => '輸入支出',
+ 'vendors' => '供應商',
+ 'new_vendor' => '新增供應商資料',
+ 'payment_terms_net' => '淨額的',
+ 'vendor' => '供應商',
+ 'edit_vendor' => '編輯供應商資料',
+ 'archive_vendor' => '儲存供應商資料',
+ 'delete_vendor' => '刪除供應商資料',
+ 'view_vendor' => '檢視銷售人員資料',
+ 'deleted_expense' => '已成功刪除的支出項目',
+ 'archived_expense' => '已成功儲存的支出項目',
+ 'deleted_expenses' => '已成功刪除的支出項目',
+ 'archived_expenses' => '已成功儲存的支出項目',
+ 'expense_amount' => '支出金額',
+ 'expense_balance' => '支出餘額',
+ 'expense_date' => '支出日期',
+ 'expense_should_be_invoiced' => '應否為這項支出開立發票?',
+ 'public_notes' => '公開註記',
+ 'invoice_amount' => '發票金額',
+ 'exchange_rate' => '匯率',
+ 'yes' => '是',
+ 'no' => '否',
+ 'should_be_invoiced' => '應為此開立發票',
+ 'view_expense' => '查看支出 # :expense',
+ 'edit_expense' => '編輯支出',
+ 'archive_expense' => '儲存支出',
+ 'delete_expense' => '刪除支出',
+ 'view_expense_num' => '支出 # :expense',
+ 'updated_expense' => '已成功更新支出',
+ 'created_expense' => '已成功建立支出',
+ 'enter_expense' => '輸入支出',
+ 'view' => '查看',
+ 'restore_expense' => '復原支出資料',
+ 'invoice_expense' => '為支出開立發票',
+ 'expense_error_multiple_clients' => '支出資料不可屬於不同客戶',
+ 'expense_error_invoiced' => '已開立發票的支出',
+ 'convert_currency' => '轉換貨幣單位',
+ 'num_days' => '天數',
+ 'create_payment_term' => '建立付款條件',
+ 'edit_payment_terms' => '編輯付款條件',
+ 'edit_payment_term' => '編輯付款條件',
+ 'archive_payment_term' => '儲存付款條件',
+ 'recurring_due_dates' => '週期性發票之應付款日期',
+ 'recurring_due_date_help' => '為發票自動設定一個應付款日期。
+ 以月或年為週期而循環產生、且設定的應付款日先於或等於發票建立日在下個月份收款。若應付款日設定為每月第29日或第30日、但當月份並無該日時,應付款日期為該月份的最後一日。
+ 以星期為週期而循環產生、且應付款日設定為在該星期中的發票建立日的在下一個星期收款。
+
例如:
+
+ - 今天為第15天,應付款日為每月的第1日,付款日為下一月份的第1日。
+ - 今天為第15天,應付款日為每月的最後一日,付款日為該月份的最後一日。
+
+ - 今天為第15天,應付款日為每月的第15日,付款日為 下一個月份的第15日。
+
+ - 今天為星期五,應付款日為其後的第1個星期五。付款日為下一個星期五,而非今日>
+
+
',
+ 'due' => '應付款',
+ 'next_due_on' => '下次應付款: :date',
+ 'use_client_terms' => '使用客戶條款',
+ 'day_of_month' => '每月的 :ordinal 日',
+ 'last_day_of_month' => '月份的最後一日',
+ 'day_of_week_after' => ':ordinal :day 之後',
+ 'sunday' => '星期日',
+ 'monday' => '星期一',
+ 'tuesday' => '星期二',
+ 'wednesday' => '星期三',
+ 'thursday' => '星期四',
+ 'friday' => '星期五',
+ 'saturday' => '星期六',
+ 'header_font_id' => 'Header的字型',
+ 'body_font_id' => 'Body的字型',
+ 'color_font_help' => '注意:主要的顏色與字型亦用於客戶入口頁面與自訂的電子郵件樣式設計。',
+ 'live_preview' => '及時預覽',
+ 'invalid_mail_config' => '無法寄出郵件,請檢查由建設定是否正確',
+ 'invoice_message_button' => '欲查看您的 :amount之發票,點擊以下的按鈕。',
+ 'quote_message_button' => '欲查看您的 :amount之發票報價單,點擊以下的按鈕。',
+ 'payment_message_button' => '感謝您支付 :amount。',
+ 'payment_type_direct_debit' => '直接扣款',
+ 'bank_accounts' => '信用卡與銀行',
+ 'add_bank_account' => '新增銀行帳號',
+ 'setup_account' => '設定帳號',
+ 'import_expenses' => '匯入支出資料',
+ 'bank_id' => '銀行',
+ 'integration_type' => '整合模式',
+ 'updated_bank_account' => '已成功更新銀行帳號',
+ 'edit_bank_account' => '編輯銀行帳號',
+ 'archive_bank_account' => '儲存銀行帳號',
+ 'archived_bank_account' => '已成功儲存銀行帳號',
+ 'created_bank_account' => '已成功建立銀行帳號',
+ 'validate_bank_account' => '有效的銀行帳號',
+ 'bank_password_help' => '注意:您的密碼已安全地傳輸,而且絕不會儲存在我們的伺服器。',
+ 'bank_password_warning' => '警告:您的密碼可能以純文字格式傳輸,建議您啟用HTTPS。',
+ 'username' => '使用者名稱',
+ 'account_number' => '帳號號碼',
+ 'account_name' => '帳號名稱',
+ 'bank_account_error' => 'Failed to retrieve account details, please check your credentials.',
+ 'status_approved' => '已同意',
+ 'quote_settings' => '報價單設定',
+ 'auto_convert_quote' => '自動轉換',
+ 'auto_convert_quote_help' => '客戶同意後即自動將報價單轉換成發票。',
+ 'validate' => '有效的',
+ 'info' => '資訊',
+ 'imported_expenses' => '已成功建立 :count_vendors (筆)供應商資料以及and :count_expenses (筆)支出資料。',
+ 'iframe_url_help3' => '注意:如果您計畫接受信用卡,我們極力建議在您的網站啟用HTTPS。',
+ 'expense_error_multiple_currencies' => '支出不可同時使用不同的貨幣。',
+ 'expense_error_mismatch_currencies' => '客戶的貨幣不符支出項目的貨幣。',
+ 'trello_roadmap' => 'Trello 路徑圖',
+ 'header_footer' => 'Header/Footer',
+ 'first_page' => '第一頁',
+ 'all_pages' => '所有頁面',
+ 'last_page' => '最後一頁 ',
+ 'all_pages_header' => '顯示頁首於',
+ 'all_pages_footer' => '顯示頁尾於',
+ 'invoice_currency' => '發票使用的貨幣',
+ 'enable_https' => '我們強烈建議在接收信用卡詳細資料時使用HTTPS',
+ 'quote_issued_to' => '報價單給',
+ 'show_currency_code' => '貨幣代碼',
+ 'free_year_message' => '您的帳號已免費升級到效期一年的專業版。',
+ 'trial_message' => '您的帳號將可試用我們的專業版,為期兩星期。',
+ 'trial_footer' => '您的專業滿免費試用期還有 :count 天, :link 立即升級。',
+ 'trial_footer_last_day' => '今天是您的專業滿免費試用期的最後一日, :link 立即升級。',
+ 'trial_call_to_action' => '開始免費試用',
+ 'trial_success' => '已成功地啟用兩星期的專業版免費試用',
+ 'overdue' => '逾期未付',
+
+
+ 'white_label_text' => '以 $:price 購買一年份的白牌授權,在發票與客戶的入口介面移除發票忍者的商標。',
+ 'user_email_footer' => '欲調整您的電子郵件通知設定。請造訪 :link',
+ 'reset_password_footer' => '若您未提出這項重設密碼的要求,請寫電子郵件給我們的客服: :email',
+ 'limit_users' => '抱歉,這將超過 :limit 名使用者的限制',
+ 'more_designs_self_host_header' => '僅用$:price即可取得額外6種發票樣式設計',
+ 'old_browser' => '請使用 :link',
+ 'newer_browser' => '較新的瀏覽器',
+ 'white_label_custom_css' => '點此 :link 支付 $:price 以自訂樣式並協助支持我們的計畫。',
+ 'bank_accounts_help' => '連結一個銀行帳戶以自動地匯入支出與建立供應商資料。支援美國運通卡與 :link。',
+ 'us_banks' => '400家以上的美國銀行',
+
+ 'pro_plan_remove_logo' => ':link 使用專業版以移除發票忍者的標誌',
+ 'pro_plan_remove_logo_link' => '點擊此處',
+ 'invitation_status_sent' => '已寄出',
+ 'invitation_status_opened' => '已開啟',
+ 'invitation_status_viewed' => '已檢閱',
+ 'email_error_inactive_client' => '無法寄送郵件給註冊未生效之客戶',
+ 'email_error_inactive_contact' => '無法寄送郵件到註冊未生效之通聯地址',
+ 'email_error_inactive_invoice' => '無法寄送郵件給註冊未生效之發票',
+ 'email_error_inactive_proposal' => '無法寄送郵件到註冊未生效的提案者',
+ 'email_error_user_unregistered' => '請註冊您的帳戶以便寄送電子郵件',
+ 'email_error_user_unconfirmed' => '請確認您的帳戶以便寄送電子郵件',
+ 'email_error_invalid_contact_email' => '無效的通聯電子郵件',
+
+ 'navigation' => '導覽',
+ 'list_invoices' => '列出所有發票',
+ 'list_clients' => '列出所有客戶',
+ 'list_quotes' => '列出所有報價單',
+ 'list_tasks' => '列出所有任務',
+ 'list_expenses' => '列出所有支出',
+ 'list_recurring_invoices' => '列出所有週期性發票',
+ 'list_payments' => '列出所有付款資料',
+ 'list_credits' => '列出所有貸款資料',
+ 'tax_name' => '稅名',
+ 'report_settings' => '報告設定',
+ 'search_hotkey' => '快捷鍵為 /',
+
+ 'new_user' => '新使用者',
+ 'new_product' => '新產品',
+ 'new_tax_rate' => '新稅率',
+ 'invoiced_amount' => '已開立發票之金額',
+ 'invoice_item_fields' => '發票項目欄位',
+ 'custom_invoice_item_fields_help' => '於建立發票品項時增加欄位,並在PDF檔案顯示欄位名稱與值。',
+ 'recurring_invoice_number' => '週期性發票編號',
+ 'recurring_invoice_number_prefix_help' => '為常週期性發票指定附加號碼之前的前置符號',
+
+ // Client Passwords
+ 'enable_portal_password' => '用以保護發票的密碼',
+ 'enable_portal_password_help' => '使您能夠為每位聯絡人設定密碼。若設定密碼,聯絡人將會在查看發票之前被要求輸入密碼。',
+ 'send_portal_password' => '自動產生',
+ 'send_portal_password_help' => '若無設定密碼,則隨第一份發票自動產生一個,並將隨發票一同寄出。',
+
+ 'expired' => '過期',
+ 'invalid_card_number' => '這個信用卡號碼不正確。',
+ 'invalid_expiry' => '這個有效日期不正確。',
+ 'invalid_cvv' => 'CVV 不正確。',
+ 'cost' => '價格',
+ 'create_invoice_for_sample' => '注意:建立您的第一份發票以在此預覽。',
+
+ // User Permissions
+ 'owner' => '擁有者',
+ 'administrator' => '管理者',
+ 'administrator_help' => '允許使用者管理所有使用者、改變設定、修改所有紀錄',
+ 'user_create_all' => '建立客戶資料、發票等等',
+ 'user_view_all' => '查看客戶資料、發票等等',
+ 'user_edit_all' => 'Edit all clients, invoices, etc.',
+ 'gateway_help_20' => ':link 以註冊 Sage Pay。',
+ 'gateway_help_21' => ':link 以註冊 Sage Pay。',
+ 'partial_due' => '部分應付款',
+ 'restore_vendor' => '復原供應商資料',
+ 'restored_vendor' => '已成功復原供應商資料',
+ 'restored_expense' => '已成功復原支出資料',
+ 'permissions' => '許可',
+ 'create_all_help' => '允許使用者建立與更改紀錄',
+ 'view_all_help' => '允許使用者查看不是他們所建立的紀錄',
+ 'edit_all_help' => '允許使用者修改不是他們所建立的紀錄',
+ 'view_payment' => '查看付款資料',
+
+ 'january' => '一月',
+ 'february' => '二月',
+ 'march' => '三月',
+ 'april' => '四月',
+ 'may' => '五月',
+ 'june' => '六月',
+ 'july' => '七月',
+ 'august' => '八月',
+ 'september' => '九月',
+ 'october' => '十月',
+ 'november' => '十一月',
+ 'december' => '十二月',
+
+ // Documents
+ 'documents_header' => '文件:',
+ 'email_documents_header' => '文件:',
+ 'email_documents_example_1' => 'Receipt.pdf小工具',
+ 'email_documents_example_2' => '最後可寄送的.zip',
+ 'quote_documents' => '報價單文件',
+ 'invoice_documents' => '發票文件',
+ 'expense_documents' => '所有關於支出的文件',
+ 'invoice_embed_documents' => '嵌入的文件',
+ 'invoice_embed_documents_help' => '在發票上附加圖像',
+ 'document_email_attachment' => '附加文件',
+ 'ubl_email_attachment' => '附加UBL',
+ 'download_documents' => '下載文件 (:size)',
+ 'documents_from_expenses' => '從支出:',
+ 'dropzone_default_message' => '將檔案拖曳至此或點擊此處來上傳',
+ 'dropzone_fallback_message' => '您的瀏覽器不支援拖曳上傳檔案的功能',
+ 'dropzone_fallback_text' => '請使用以下的備援表單,像從前那樣上傳您的檔案。',
+ 'dropzone_file_too_big' => '檔案太大({{filesize}}MiB).。檔案大小的上限: {{maxFilesize}}MiB。',
+ 'dropzone_invalid_file_type' => '您不能上傳這種檔案。',
+ 'dropzone_response_error' => '伺服器回應代碼為 {{statusCode}} 。',
+ 'dropzone_cancel_upload' => '取消上傳',
+ 'dropzone_cancel_upload_confirmation' => '您確定要取消這次的上傳?',
+ 'dropzone_remove_file' => '移除檔案',
+ 'documents' => '文件',
+ 'document_date' => '文件日期',
+ 'document_size' => '大小',
+
+ 'enable_client_portal' => '客戶入口頁面',
+ 'enable_client_portal_help' => '顯示/隱藏客戶入口頁面',
+ 'enable_client_portal_dashboard' => '總覽',
+ 'enable_client_portal_dashboard_help' => '在客戶入口頁面顯示/隱藏總覽頁',
+
+ // Plans
+ 'account_management' => '帳號管理',
+ 'plan_status' => '訂用的合約狀態',
+
+ 'plan_upgrade' => '升級',
+ 'plan_change' => '改變訂用的版本',
+ 'pending_change_to' => '改為',
+ 'plan_changes_to' => ':plan 於 :date',
+ 'plan_term_changes_to' => ':plan (:term) 於 :date',
+ 'cancel_plan_change' => '取消更改',
+ 'plan' => '資費案',
+ 'expires' => '到期',
+ 'renews' => '更新',
+ 'plan_expired' => ':plan 訂用的版本已過期',
+ 'trial_expired' => ':plan 版本試用已結束',
+ 'never' => '永不',
+ 'plan_free' => '免費',
+ 'plan_pro' => '專業',
+ 'plan_enterprise' => '企業',
+ 'plan_white_label' => '自行架設網站(白牌)',
+ 'plan_free_self_hosted' => '安裝於自己的主機(免費)',
+ 'plan_trial' => '試用',
+ 'plan_term' => '條款',
+ 'plan_term_monthly' => '每月',
+ 'plan_term_yearly' => '每年',
+ 'plan_term_month' => '月',
+ 'plan_term_year' => '年',
+ 'plan_price_monthly' => '$:price/月',
+ 'plan_price_yearly' => '$:price/年',
+ 'updated_plan' => '更新版本設定',
+ 'plan_paid' => '效期開始於',
+ 'plan_started' => '選用版本的效期開始於',
+ 'plan_expires' => '選用版本的效期開始於',
+
+ 'white_label_button' => '白牌',
+
+ 'pro_plan_year_description' => '訂用發票忍者專業版一年',
+ 'pro_plan_month_description' => '訂用發票忍者專業版一個月',
+ 'enterprise_plan_product' => '企業版',
+ 'enterprise_plan_year_description' => '訂用發票忍者企業版一年',
+ 'enterprise_plan_month_description' => '訂用發票忍者企業版',
+ 'plan_credit_product' => '付款餘額',
+ 'plan_credit_description' => '預付款餘額',
+ 'plan_pending_monthly' => '將於 :date切換至月租型',
+ 'plan_refunded' => '已發送一筆退款。',
+
+ 'live_preview' => '及時預覽',
+ 'page_size' => '頁面尺寸',
+ 'live_preview_disabled' => '為支援選用的字型,已停用即時預覽',
+ 'invoice_number_padding' => '未定的',
+ 'preview' => '預覽',
+ 'list_vendors' => '列出賣方',
+ 'add_users_not_supported' => '升級至企業版,以在您的帳號增加額外的使用者',
+ 'enterprise_plan_features' => '企業版進一步支援多使用者與附加檔案, :link 以查看其所有的功能一覽表。',
+ 'return_to_app' => '返回APP',
+
+
+ // Payment updates
+ 'refund_payment' => '已退款的支付',
+ 'refund_max' => '最大值:',
+ 'refund' => '退款',
+ 'are_you_sure_refund' => '退還所選擇的付款?',
+ 'status_pending' => '待處理的',
+ 'status_completed' => '已完成',
+ 'status_failed' => '失敗',
+ 'status_partially_refunded' => '部分退款的',
+ 'status_partially_refunded_amount' => '退還 :amount',
+ 'status_refunded' => '退款',
+ 'status_voided' => '已取消',
+ 'refunded_payment' => '已退款的付款',
+ 'activity_39' => ':user 取消一項 :payment_amount 的付款 :payment',
+ 'activity_40' => ':user 獲得一筆金額 :payment_amount 付款 :payment的退款 :adjustment',
+ 'card_expiration' => '到期: :expires',
+
+ 'card_creditcardother' => '未知的',
+ 'card_americanexpress' => '美國運通卡',
+ 'card_carteblanche' => 'Carte Blanche',
+ 'card_unionpay' => '中國銀聯卡',
+ 'card_diners' => '大來卡',
+ 'card_discover' => 'Discover卡',
+ 'card_jcb' => 'JCB卡',
+ 'card_laser' => 'Laser卡',
+ 'card_maestro' => 'Maestro卡',
+ 'card_mastercard' => '萬事達卡',
+ 'card_solo' => 'Solo卡',
+ 'card_switch' => 'Switch卡',
+ 'card_visacard' => 'Visa卡',
+ 'card_ach' => 'ACH',
+
+ 'payment_type_stripe' => 'Stripe',
+ 'ach' => 'ACH',
+ 'enable_ach' => '接受美國銀行轉帳',
+ 'stripe_ach_help' => '必須以 :link啟用ACH的支援功能。',
+ 'ach_disabled' => '另一個直接扣款的閘道已設定。',
+
+ 'plaid' => 'Plaid',
+ 'client_id' => '客戶編號',
+ 'secret' => '秘密',
+ 'public_key' => '公開金鑰',
+ 'plaid_optional' => '(選擇性的)',
+ 'plaid_environment_help' => ' Stripe測試金鑰一旦發送,即可使用Plaid的開發環境 (tartan) 。',
+ 'other_providers' => '其他供應商',
+ 'country_not_supported' => '該國家不受支援。',
+ 'invalid_routing_number' => '此流水號無效。',
+ 'invalid_account_number' => '此帳號號碼無效。',
+ 'account_number_mismatch' => '此帳號號碼不符。',
+ 'missing_account_holder_type' => '請選擇一個個人或公司的帳號。',
+ 'missing_account_holder_name' => '請輸入帳號持有者的名字。',
+ 'routing_number' => '流水號碼',
+ 'confirm_account_number' => '確認帳戶號碼',
+ 'individual_account' => '個人帳號',
+ 'company_account' => '公司帳號',
+ 'account_holder_name' => '帳戶持有人之',
+ 'add_account' => '新增帳號',
+ 'payment_methods' => '付款方式',
+ 'complete_verification' => '完成驗證',
+ 'verification_amount1' => '金額 1',
+ 'verification_amount2' => '金額 2',
+ 'payment_method_verified' => '已成功完成驗證',
+ 'verification_failed' => '驗證失敗',
+ 'remove_payment_method' => '移除付款方式',
+ 'confirm_remove_payment_method' => '您是否確定移除這個付款方式?',
+ 'remove' => '刪除',
+ 'payment_method_removed' => '已移除的付款方式。',
+ 'bank_account_verification_help' => '我們已存兩筆名義為「驗證」的款項到您的帳戶。這些存款需等1-2個工作天才會出現在您的對帳單。請輸入以下的金額。',
+ 'bank_account_verification_next_steps' => '我們已存兩筆名義為「驗證」的款項到您的帳戶。這些存款需等1-2個工作天才會出現在您的對帳單。
+一旦您收到這兩筆款項,請回到這個付款方式頁面,並點擊帳號旁邊的「完成驗證」。',
+ 'unknown_bank' => '未知的銀行',
+ 'ach_verification_delay_help' => '您在完成驗證後可使用此帳號。驗證通常需要1-2個工作天。',
+ 'add_credit_card' => '新增信用卡',
+ 'payment_method_added' => '新增付款方式',
+ 'use_for_auto_bill' => '用於自動帳單',
+ 'used_for_auto_bill' => '自動帳單付款方式',
+ 'payment_method_set_as_default' => '設定自動帳單付款方式。',
+ 'activity_41' => ':payment_amount 的付款 (:payment) 失敗',
+ 'webhook_url' => 'Webhook URL',
+ 'stripe_webhook_help' => '您必須 :link.',
+ 'stripe_webhook_help_link_text' => '新增此URL為Stripe的終端',
+ 'gocardless_webhook_help_link_text' => '新增此URL為GoCardless的終端',
+ 'payment_method_error' => '在新增您的付款方式時發生錯誤。請稍後再試。',
+ 'notification_invoice_payment_failed_subject' => '發票 :invoice 之付款失敗',
+ 'notification_invoice_payment_failed' => '客戶 :client為發票Invoice :invoice 的付款失敗。此項付款被標示為失敗,而 :amount已被計入此客戶的結餘。',
+ 'link_with_plaid' => '立即將帳號連結Plaid',
+ 'link_manually' => '手動連結',
+ 'secured_by_plaid' => '已受Plaid保障安全',
+ 'plaid_linked_status' => '您在 :bank的銀行帳號',
+ 'add_payment_method' => '新增付款方式',
+ 'account_holder_type' => '帳戶持有人類別',
+ 'ach_authorization' => '我准許 :company 以後使用我的銀行帳號來處理我的付款,而若有必要,以電子方是存款至我的帳戶以修正錯誤的扣款。我瞭解我隨時可以移除這項付款方式或藉由聯絡 :email來取消這項准許。',
+ 'ach_authorization_required' => '您必須同意ACH轉帳。',
+ 'off' => '關',
+ 'opt_in' => '加入',
+ 'opt_out' => '退出',
+ 'always' => '永遠',
+ 'opted_out' => '退出',
+ 'opted_in' => '加入',
+ 'manage_auto_bill' => '管理自動',
+ 'enabled' => '啟用',
+ 'paypal' => 'PayPal',
+ 'braintree_enable_paypal' => '透過BrainTree啟用PayPal付款',
+ 'braintree_paypal_disabled_help' => 'PayPal 閘道正在處理PayPal 付款',
+ 'braintree_paypal_help' => '您必須也 :link.',
+ 'braintree_paypal_help_link_text' => '將PayPal連結至您的BrainTree帳號',
+ 'token_billing_braintree_paypal' => '儲存付款的詳細資料',
+ 'add_paypal_account' => '新增PayPal帳戶',
+
+
+ 'no_payment_method_specified' => '無指定之付款方式',
+ 'chart_type' => '圖表類型',
+ 'format' => '格式',
+ 'import_ofx' => '載入OFX',
+ 'ofx_file' => 'OFX檔案',
+ 'ofx_parse_failed' => '掃描OFX檔案',
+
+ // WePay
+ 'wepay' => 'WePay',
+ 'sign_up_with_wepay' => '以 WePay',
+ 'use_another_provider' => '使用另一個供應商',
+ 'company_name' => '公司名稱',
+ 'wepay_company_name_help' => '這將顯示於客戶的新用卡對帳單。',
+ 'wepay_description_help' => '這份報告的目的。',
+ 'wepay_tos_agree' => '我同意 :link。',
+ 'wepay_tos_link_text' => 'WePay之服務條款',
+ 'resend_confirmation_email' => '重寄確認註冊的電子郵件',
+ 'manage_account' => '管理帳號',
+ 'action_required' => '需要執行的動作',
+ 'finish_setup' => '結束設定',
+ 'created_wepay_confirmation_required' => '請檢查您的電子信箱並以WePay確認您的電子郵件地址。',
+ 'switch_to_wepay' => '切換至WePay',
+ 'switch' => '切換',
+ 'restore_account_gateway' => '復原閘道',
+ 'restored_account_gateway' => '已成功復原閘道',
+ 'united_states' => '美國',
+ 'canada' => '加拿大',
+ 'accept_debit_cards' => '接受簽帳金融卡',
+ 'debit_cards' => '簽帳金融卡',
+
+ 'warn_start_date_changed' => '下一份發票將於新的起始日期寄出',
+ 'warn_start_date_changed_not_sent' => '下一份發票將於新的起始日期建立',
+ 'original_start_date' => '原來的起始日期',
+ 'new_start_date' => '新的起始日期',
+ 'security' => '安全',
+ 'see_whats_new' => '查看 :version版的更新',
+ 'wait_for_upload' => '請等待檔案上傳結束。',
+ 'upgrade_for_permissions' => '升級到我們的企業版以獲得許可。',
+ 'enable_second_tax_rate' => '啟用 第二項稅率的設定',
+ 'payment_file' => '付款資料的檔案',
+ 'expense_file' => '支出資料的檔案',
+ 'product_file' => '產品資料的檔案',
+ 'import_products' => '匯入產品資料',
+ 'products_will_create' => '將建立產品資料',
+ 'product_key' => '產品',
+ 'created_products' => '已成功地建立/更新 :count (項)產品資料',
+ 'export_help' => '若您計畫匯入資料到發票忍者,請使用JSON。
該檔案包含關於客戶、產品、發票、報價單與付款的資料。',
+ 'selfhost_export_help' => '
我們建議使用 mysqldump 來建立一個完整的備份。',
+ 'JSON_file' => 'JSON檔案',
+
+ 'view_dashboard' => '查看總覽頁',
+ 'client_session_expired' => '連線已超過期限',
+ 'client_session_expired_message' => '您的連線已超過期限。請再次點擊您的電子郵件連結。',
+
+ 'auto_bill_notification' => '此發票將會自動地於 :due_date在您登記的 :payment_method 結帳。',
+ 'auto_bill_payment_method_bank_transfer' => '銀行帳戶',
+ 'auto_bill_payment_method_credit_card' => '信用卡',
+ 'auto_bill_payment_method_paypal' => 'PayPal 帳戶',
+ 'auto_bill_notification_placeholder' => '將於應付款日自動從您登錄的信用卡收取此發票的款項。',
+ 'payment_settings' => '付款設定。',
+
+ 'on_send_date' => '於寄出日',
+ 'on_due_date' => '於應付款日',
+ 'auto_bill_ach_date_help' => '代收代付服務將自動在應付款日收款。',
+ 'warn_change_auto_bill' => '由於全國自動票據交換所協會的規定,此發票的更改將會使代收代付服務無法自動收款',
+
+ 'bank_account' => '銀行帳戶',
+ 'payment_processed_through_wepay' => '代收代付服務將以WePay進行',
+ 'wepay_payment_tos_agree' => '我同意 WePay 的 :terms 與 :privacy_policy。',
+ 'privacy_policy' => '隱私權政策',
+ 'wepay_payment_tos_agree_required' => '您必須同意WePay的服務條款與隱私權政策。',
+ 'ach_email_prompt' => '請輸入您的電子郵件地址:',
+ 'verification_pending' => '認證作業處理中',
+
+ 'update_font_cache' => '請強制刷新頁面以更新字型快取。',
+ 'more_options' => '更多選項',
+ 'credit_card' => '信用卡',
+ 'bank_transfer' => '銀行轉帳',
+ 'no_transaction_reference' => '我們未從這個閘道收到付款轉帳資料',
+ 'use_bank_on_file' => '使用已登記的銀行',
+ 'auto_bill_email_message' => '此發票的款項將會自動地在付款日以登記的付款方式收取。',
+ 'bitcoin' => '比特幣',
+ 'gocardless' => 'GoCardless',
+ 'added_on' => '新增 : 日期',
+ 'failed_remove_payment_method' => '未能移除付款方式',
+ 'gateway_exists' => '閘道已存在',
+ 'manual_entry' => '手動輸入',
+ 'start_of_week' => '每星期的第一天',
+
+ // Frequencies
+ 'freq_inactive' => '停用的',
+ 'freq_daily' => '每天',
+ 'freq_weekly' => '每星期',
+ 'freq_biweekly' => '每兩周',
+ 'freq_two_weeks' => '兩星期',
+ 'freq_four_weeks' => '四星期',
+ 'freq_monthly' => '每月',
+ 'freq_three_months' => '三個月',
+ 'freq_four_months' => '四個月',
+ 'freq_six_months' => '六個月',
+ 'freq_annually' => '每年一次',
+ 'freq_two_years' => '兩年',
+
+ // Payment types
+ 'payment_type_Apply Credit' => '使用貸款',
+ 'payment_type_Bank Transfer' => '銀行轉帳',
+ 'payment_type_Cash' => '現金',
+ 'payment_type_Debit' => '支出',
+ 'payment_type_ACH' => 'ACH',
+ 'payment_type_Visa Card' => 'Visa 卡',
+ 'payment_type_MasterCard' => '萬事達卡',
+ 'payment_type_American Express' => '美國運通',
+ 'payment_type_Discover Card' => '發現卡',
+ 'payment_type_Diners Card' => '大來卡',
+ 'payment_type_EuroCard' => '歐洲卡',
+ 'payment_type_Nova' => 'Nova卡',
+ 'payment_type_Credit Card Other' => '其它信用卡',
+ 'payment_type_PayPal' => 'PayPal',
+ 'payment_type_Google Wallet' => 'Google錢包',
+ 'payment_type_Check' => '支票',
+ 'payment_type_Carte Blanche' => 'Carte Blanche',
+ 'payment_type_UnionPay' => '中國銀聯',
+ 'payment_type_JCB' => 'JCB',
+ 'payment_type_Laser' => 'Laser卡',
+ 'payment_type_Maestro' => 'Maestro卡',
+ 'payment_type_Solo' => 'Solo卡',
+ 'payment_type_Switch' => 'Switch卡',
+ 'payment_type_iZettle' => 'iZettle',
+ 'payment_type_Swish' => 'Swish',
+ 'payment_type_Alipay' => 'Alipay',
+ 'payment_type_Sofort' => 'Sofort',
+ 'payment_type_SEPA' => 'SEPA 直接付款',
+ 'payment_type_Bitcoin' => '比特幣',
+ 'payment_type_GoCardless' => 'GoCardless',
+
+ // Industries
+ 'industry_Accounting & Legal' => '會計與法務',
+ 'industry_Advertising' => '廣告',
+ 'industry_Aerospace' => '航太工業',
+ 'industry_Agriculture' => '農業',
+ 'industry_Automotive' => '汽車工業',
+ 'industry_Banking & Finance' => '銀行與保險',
+ 'industry_Biotechnology' => '生物科技',
+ 'industry_Broadcasting' => '傳播',
+ 'industry_Business Services' => '商業服務',
+ 'industry_Commodities & Chemicals' => '化學產品',
+ 'industry_Communications' => '通訊',
+ 'industry_Computers & Hightech' => '電腦與高科技',
+ 'industry_Defense' => '國防',
+ 'industry_Energy' => '能源 ',
+ 'industry_Entertainment' => '娛樂',
+ 'industry_Government' => '政府',
+ 'industry_Healthcare & Life Sciences' => '醫療保健與生命科學',
+ 'industry_Insurance' => '保險',
+ 'industry_Manufacturing' => '製造業',
+ 'industry_Marketing' => '行銷',
+ 'industry_Media' => '媒體',
+ 'industry_Nonprofit & Higher Ed' => '非營利與高等教育',
+ 'industry_Pharmaceuticals' => '藥品',
+ 'industry_Professional Services & Consulting' => '專業服務與諮詢',
+ 'industry_Real Estate' => '房地產',
+ 'industry_Restaurant & Catering' => '餐廳與餐飲業',
+ 'industry_Retail & Wholesale' => '批發零售',
+ 'industry_Sports' => '運動',
+ 'industry_Transportation' => '運輸',
+ 'industry_Travel & Luxury' => '旅遊與奢華',
+ 'industry_Other' => '其他',
+ 'industry_Photography' => '攝影',
+
+ // Countries
+ 'country_Afghanistan' => '阿富汗',
+ 'country_Albania' => '阿爾巴尼亞',
+ 'country_Antarctica' => '南極洲',
+ 'country_Algeria' => '阿爾及利亞',
+ 'country_American Samoa' => '美屬薩摩亞',
+ 'country_Andorra' => '安道爾',
+ 'country_Angola' => '安哥拉',
+ 'country_Antigua and Barbuda' => '安地卡及巴布達',
+ 'country_Azerbaijan' => '亞塞拜然',
+ 'country_Argentina' => '阿根廷',
+ 'country_Australia' => '澳洲',
+ 'country_Austria' => '奧地利',
+ 'country_Bahamas' => '巴哈馬',
+ 'country_Bahrain' => '巴林',
+ 'country_Bangladesh' => '孟加拉',
+ 'country_Armenia' => '亞美尼亞',
+ 'country_Barbados' => '巴貝多',
+ 'country_Belgium' => '比利時',
+ 'country_Bermuda' => '百慕達',
+ 'country_Bhutan' => '不丹',
+ 'country_Bolivia, Plurinational State of' => '玻利維亞',
+ 'country_Bosnia and Herzegovina' => '波士尼亞與赫塞哥維納',
+ 'country_Botswana' => '波札那',
+ 'country_Bouvet Island' => '布威島',
+ 'country_Brazil' => '巴西',
+ 'country_Belize' => '貝里斯',
+ 'country_British Indian Ocean Territory' => '英屬印度洋領地',
+ 'country_Solomon Islands' => '所羅門群島',
+ 'country_Virgin Islands, British' => '英屬維京群島',
+ 'country_Brunei Darussalam' => '汶萊',
+ 'country_Bulgaria' => '保加利亞',
+ 'country_Myanmar' => '緬甸',
+ 'country_Burundi' => '蒲隆地',
+ 'country_Belarus' => '白俄羅斯',
+ 'country_Cambodia' => '柬埔寨',
+ 'country_Cameroon' => '喀麥隆',
+ 'country_Canada' => '加拿大',
+ 'country_Cape Verde' => '維德角',
+ 'country_Cayman Islands' => '開曼群島',
+ 'country_Central African Republic' => '中非共和國',
+ 'country_Sri Lanka' => '斯里蘭卡',
+ 'country_Chad' => '查德',
+ 'country_Chile' => '智利',
+ 'country_China' => '中國',
+ 'country_Taiwan, Province of China' => '台灣',
+ 'country_Christmas Island' => '聖誕島',
+ 'country_Cocos (Keeling) Islands' => '科科斯(基林)群島',
+ 'country_Colombia' => '哥倫比亞',
+ 'country_Comoros' => '葛摩',
+ 'country_Mayotte' => '馬約特',
+ 'country_Congo' => '剛果',
+ 'country_Congo, the Democratic Republic of the' => '剛果人民共和國',
+ 'country_Cook Islands' => '庫克群島',
+ 'country_Costa Rica' => '哥斯大黎加',
+ 'country_Croatia' => '克羅埃西亞',
+ 'country_Cuba' => '古巴',
+ 'country_Cyprus' => '塞浦路斯',
+ 'country_Czech Republic' => '捷克共和國',
+ 'country_Benin' => '貝南',
+ 'country_Denmark' => '丹麥',
+ 'country_Dominica' => '多米尼克',
+ 'country_Dominican Republic' => '多明尼加共和國',
+ 'country_Ecuador' => '厄瓜多',
+ 'country_El Salvador' => '薩爾瓦多',
+ 'country_Equatorial Guinea' => '赤道幾內亞',
+ 'country_Ethiopia' => '衣索比亞',
+ 'country_Eritrea' => '厄利垂亞',
+ 'country_Estonia' => '愛沙尼亞',
+ 'country_Faroe Islands' => '法羅島',
+ 'country_Falkland Islands (Malvinas)' => '福克蘭群島(馬爾維納斯)',
+ 'country_South Georgia and the South Sandwich Islands' => '南喬治亞與南桑威奇',
+ 'country_Fiji' => '斐濟',
+ 'country_Finland' => '芬蘭',
+ 'country_Åland Islands' => '奧蘭群島',
+ 'country_France' => '法國',
+ 'country_French Guiana' => '法屬幾內亞',
+ 'country_French Polynesia' => '法屬玻里尼西亞',
+ 'country_French Southern Territories' => '法屬南方領地',
+ 'country_Djibouti' => '吉布地',
+ 'country_Gabon' => '加彭',
+ 'country_Georgia' => '喬治亞',
+ 'country_Gambia' => '甘比亞',
+ 'country_Palestinian Territory, Occupied' => '巴勒斯坦',
+ 'country_Germany' => '德國',
+ 'country_Ghana' => '迦納',
+ 'country_Gibraltar' => '直布羅陀',
+ 'country_Kiribati' => '吉里巴斯',
+ 'country_Greece' => '希臘',
+ 'country_Greenland' => '格陵蘭',
+ 'country_Grenada' => '格瑞那達',
+ 'country_Guadeloupe' => '瓜德羅普',
+ 'country_Guam' => '關島',
+ 'country_Guatemala' => '瓜地馬拉',
+ 'country_Guinea' => '幾內亞',
+ 'country_Guyana' => '圭亞那',
+ 'country_Haiti' => '海地',
+ 'country_Heard Island and McDonald Islands' => '赫德島和麥克唐納群島',
+ 'country_Holy See (Vatican City State)' => '聖座(梵諦岡)',
+ 'country_Honduras' => '宏都拉斯',
+ 'country_Hong Kong' => '香港',
+ 'country_Hungary' => '匈牙利',
+ 'country_Iceland' => '冰島',
+ 'country_India' => '印度',
+ 'country_Indonesia' => '印尼',
+ 'country_Iran, Islamic Republic of' => '伊朗',
+ 'country_Iraq' => '伊拉克',
+ 'country_Ireland' => '愛爾蘭',
+ 'country_Israel' => '以色列',
+ 'country_Italy' => '義大利',
+ 'country_Côte d\'Ivoire' => '象牙海岸',
+ 'country_Jamaica' => '牙買加',
+ 'country_Japan' => '日本',
+ 'country_Kazakhstan' => '哈薩克',
+ 'country_Jordan' => '約旦',
+ 'country_Kenya' => '肯亞',
+ 'country_Korea, Democratic People\'s Republic of' => '北韓',
+ 'country_Korea, Republic of' => '南韓',
+ 'country_Kuwait' => '科威特',
+ 'country_Kyrgyzstan' => '吉爾吉斯',
+ 'country_Lao People\'s Democratic Republic' => '寮國',
+ 'country_Lebanon' => '黎巴嫩',
+ 'country_Lesotho' => '賴索托',
+ 'country_Latvia' => '拉脫維亞',
+ 'country_Liberia' => '賴比瑞亞',
+ 'country_Libya' => '利比亞',
+ 'country_Liechtenstein' => '列支敦士敦',
+ 'country_Lithuania' => '立陶宛',
+ 'country_Luxembourg' => '盧森堡',
+ 'country_Macao' => '澳門',
+ 'country_Madagascar' => '馬達加斯加',
+ 'country_Malawi' => '馬拉威',
+ 'country_Malaysia' => '馬來西亞',
+ 'country_Maldives' => '馬爾地夫',
+ 'country_Mali' => '馬利',
+ 'country_Malta' => '馬爾他',
+ 'country_Martinique' => '馬提尼克',
+ 'country_Mauritania' => '茅利塔尼亞',
+ 'country_Mauritius' => '模里西斯',
+ 'country_Mexico' => '墨西哥',
+ 'country_Monaco' => '摩納哥',
+ 'country_Mongolia' => '蒙古',
+ 'country_Moldova, Republic of' => '摩爾多瓦共和國',
+ 'country_Montenegro' => '蒙特內哥羅',
+ 'country_Montserrat' => '蒙特塞拉特',
+ 'country_Morocco' => '摩洛哥',
+ 'country_Mozambique' => '莫三比克',
+ 'country_Oman' => '阿曼',
+ 'country_Namibia' => '納比亞',
+ 'country_Nauru' => '諾魯',
+ 'country_Nepal' => '尼泊爾',
+ 'country_Netherlands' => '荷蘭',
+ 'country_Curaçao' => '古拉索',
+ 'country_Aruba' => '阿魯巴',
+ 'country_Sint Maarten (Dutch part)' => '聖馬丁(荷屬部分)',
+ 'country_Bonaire, Sint Eustatius and Saba' => '波奈、聖佑達修斯及沙巴',
+ 'country_New Caledonia' => '新喀里多尼亞',
+ 'country_Vanuatu' => '萬那杜',
+ 'country_New Zealand' => '紐西蘭',
+ 'country_Nicaragua' => '尼加拉瓜',
+ 'country_Niger' => '尼日',
+ 'country_Nigeria' => '奈及利亞',
+ 'country_Niue' => '紐埃',
+ 'country_Norfolk Island' => '諾福克島',
+ 'country_Norway' => '挪威',
+ 'country_Northern Mariana Islands' => '北馬利納群島',
+ 'country_United States Minor Outlying Islands' => '美屬邊疆群島',
+ 'country_Micronesia, Federated States of' => '密克羅尼西亞邦聯',
+ 'country_Marshall Islands' => '馬紹爾群島',
+ 'country_Palau' => '帛琉',
+ 'country_Pakistan' => '巴基斯坦',
+ 'country_Panama' => '巴拿馬',
+ 'country_Papua New Guinea' => '巴布亞紐幾內亞',
+ 'country_Paraguay' => '巴拉圭',
+ 'country_Peru' => '秘魯',
+ 'country_Philippines' => '菲律賓',
+ 'country_Pitcairn' => '皮特凱恩',
+ 'country_Poland' => '波蘭',
+ 'country_Portugal' => '葡萄牙',
+ 'country_Guinea-Bissau' => '幾內亞比索',
+ 'country_Timor-Leste' => '東帝汶',
+ 'country_Puerto Rico' => '波多黎各',
+ 'country_Qatar' => '卡達',
+ 'country_Réunion' => '留尼旺',
+ 'country_Romania' => '羅馬尼亞',
+ 'country_Russian Federation' => '俄俄羅斯聯邦',
+ 'country_Rwanda' => '盧安達',
+ 'country_Saint Barthélemy' => '聖巴台勒密',
+ 'country_Saint Helena, Ascension and Tristan da Cunha' => '聖赫勒拿、亞森欣與垂斯坦昆哈',
+ 'country_Saint Kitts and Nevis' => '聖克里斯多福及尼維斯',
+ 'country_Anguilla' => '安圭拉',
+ 'country_Saint Lucia' => '聖露西亞',
+ 'country_Saint Martin (French part)' => '聖馬丁(法屬部份)',
+ 'country_Saint Pierre and Miquelon' => '聖皮耶與密克隆',
+ 'country_Saint Vincent and the Grenadines' => '聖文森及格瑞那丁',
+ 'country_San Marino' => '聖馬利諾',
+ 'country_Sao Tome and Principe' => '聖多美普林西比',
+ 'country_Saudi Arabia' => '沙烏地阿拉伯',
+ 'country_Senegal' => '塞內加爾',
+ 'country_Serbia' => '塞爾維亞',
+ 'country_Seychelles' => '塞席爾',
+ 'country_Sierra Leone' => '獅子山',
+ 'country_Singapore' => '新加坡',
+ 'country_Slovakia' => '斯洛伐克',
+ 'country_Viet Nam' => '越南',
+ 'country_Slovenia' => '斯洛伐尼亞',
+ 'country_Somalia' => '索馬利亞',
+ 'country_South Africa' => '南非',
+ 'country_Zimbabwe' => '辛巴威',
+ 'country_Spain' => '西班牙',
+ 'country_South Sudan' => '南蘇丹',
+ 'country_Sudan' => '蘇丹',
+ 'country_Western Sahara' => '西撒哈拉',
+ 'country_Suriname' => '蘇利南',
+ 'country_Svalbard and Jan Mayen' => '斯瓦巴和揚馬延',
+ 'country_Swaziland' => '史瓦濟蘭',
+ 'country_Sweden' => '瑞典',
+ 'country_Switzerland' => '瑞士',
+ 'country_Syrian Arab Republic' => '敘利亞阿拉伯共和國',
+ 'country_Tajikistan' => '塔吉克',
+ 'country_Thailand' => '泰國',
+ 'country_Togo' => '多哥',
+ 'country_Tokelau' => '托克勞',
+ 'country_Tonga' => '東加',
+ 'country_Trinidad and Tobago' => '千里達及托巴哥',
+ 'country_United Arab Emirates' => '阿拉伯聯合大公國',
+ 'country_Tunisia' => '突尼西亞',
+ 'country_Turkey' => '土耳其',
+ 'country_Turkmenistan' => ' 土庫曼',
+ 'country_Turks and Caicos Islands' => '特克斯與開科斯群島',
+ 'country_Tuvalu' => '吐瓦魯',
+ 'country_Uganda' => '烏干達',
+ 'country_Ukraine' => '烏克蘭',
+ 'country_Macedonia, the former Yugoslav Republic of' => '馬其頓',
+ 'country_Egypt' => '埃及',
+ 'country_United Kingdom' => '聯合王國',
+ 'country_Guernsey' => '根息',
+ 'country_Jersey' => '澤西',
+ 'country_Isle of Man' => '曼島',
+ 'country_Tanzania, United Republic of' => '坦尚尼亞',
+ 'country_United States' => '美國',
+ 'country_Virgin Islands, U.S.' => '美屬維京群島',
+ 'country_Burkina Faso' => '布吉納法索',
+ 'country_Uruguay' => '烏拉圭',
+ 'country_Uzbekistan' => '烏茲別克',
+ 'country_Venezuela, Bolivarian Republic of' => '委內瑞拉',
+ 'country_Wallis and Futuna' => '瓦利斯和富圖納',
+ 'country_Samoa' => '薩摩亞',
+ 'country_Yemen' => '葉門',
+ 'country_Zambia' => '尚比亞',
+
+ // Languages
+ 'lang_Brazilian Portuguese' => '巴西的葡萄牙文',
+ 'lang_Croatian' => '克羅埃西亞文',
+ 'lang_Czech' => '捷克文',
+ 'lang_Danish' => '丹麥文',
+ 'lang_Dutch' => '荷蘭文',
+ 'lang_English' => '英文',
+ 'lang_French' => '法文',
+ 'lang_French - Canada' => '法文(加拿大)',
+ 'lang_German' => '德文',
+ 'lang_Italian' => '義大利文',
+ 'lang_Japanese' => '日文',
+ 'lang_Lithuanian' => '立陶宛文',
+ 'lang_Norwegian' => '挪威文',
+ 'lang_Polish' => '波蘭文',
+ 'lang_Spanish' => '西班牙文',
+ 'lang_Spanish - Spain' => '西班牙文 - 西班牙',
+ 'lang_Swedish' => '瑞典文',
+ 'lang_Albanian' => '阿爾巴尼亞文',
+ 'lang_Greek' => '希臘的',
+ 'lang_English - United Kingdom' => '英文 - 英國',
+ 'lang_Slovenian' => '斯洛維尼亞文',
+ 'lang_Finnish' => '芬蘭文',
+ 'lang_Romanian' => '羅馬尼亞文',
+ 'lang_Turkish - Turkey' => '土耳其文 - 土耳其',
+ 'lang_Portuguese - Brazilian' => '葡萄牙文 - 巴西',
+ 'lang_Portuguese - Portugal' => '葡萄牙文 - 葡萄牙',
+ 'lang_Thai' => '泰文',
+ 'lang_Macedonian' => 'Macedonian',
+ 'lang_Chinese - Taiwan' => 'Chinese - Taiwan',
+
+ // Industries
+ 'industry_Accounting & Legal' => '會計與法務',
+ 'industry_Advertising' => '廣告',
+ 'industry_Aerospace' => '航太工業',
+ 'industry_Agriculture' => '農業',
+ 'industry_Automotive' => '汽車工業',
+ 'industry_Banking & Finance' => '銀行與保險',
+ 'industry_Biotechnology' => '生物科技',
+ 'industry_Broadcasting' => '傳播',
+ 'industry_Business Services' => '商業服務',
+ 'industry_Commodities & Chemicals' => '化學產品',
+ 'industry_Communications' => '通訊',
+ 'industry_Computers & Hightech' => '電腦與高科技',
+ 'industry_Defense' => '國防',
+ 'industry_Energy' => '能源 ',
+ 'industry_Entertainment' => '娛樂',
+ 'industry_Government' => '政府',
+ 'industry_Healthcare & Life Sciences' => '醫療保健與生命科學',
+ 'industry_Insurance' => '保險',
+ 'industry_Manufacturing' => '製造業',
+ 'industry_Marketing' => '行銷',
+ 'industry_Media' => '媒體',
+ 'industry_Nonprofit & Higher Ed' => '非營利與高等教育',
+ 'industry_Pharmaceuticals' => '藥品',
+ 'industry_Professional Services & Consulting' => '專業服務與諮詢',
+ 'industry_Real Estate' => '房地產',
+ 'industry_Retail & Wholesale' => '批發零售',
+ 'industry_Sports' => '運動',
+ 'industry_Transportation' => '運輸',
+ 'industry_Travel & Luxury' => '旅遊與奢華',
+ 'industry_Other' => '其他',
+ 'industry_Photography' =>'攝影',
+
+ 'view_client_portal' => '查看客戶的入口頁面',
+ 'view_portal' => '查看入口頁面',
+ 'vendor_contacts' => '供應商之聯絡方式',
+ 'all' => '所有的',
+ 'selected' => '已選的',
+ 'category' => '類別',
+ 'categories' => '類別',
+ 'new_expense_category' => '新的支出類別',
+ 'edit_category' => '編輯類別',
+ 'archive_expense_category' => '儲存類別',
+ 'expense_categories' => '支出類別',
+ 'list_expense_categories' => '列出支出類別',
+ 'updated_expense_category' => '成功更新支出類別',
+ 'created_expense_category' => '成功建立支出類別',
+ 'archived_expense_category' => '存檔完成的支出類別',
+ 'archived_expense_categories' => '成功復原 :count 個支出類別',
+ 'restore_expense_category' => '復原支出類別',
+ 'restored_expense_category' => '成功復原的支出類別',
+ 'apply_taxes' => '計入稅額',
+ 'min_to_max_users' => ':min 至 :max 名使用主',
+ 'max_users_reached' => '已達使用者人數上限。',
+ 'buy_now_buttons' => '現在即購買按鈕',
+ 'landing_page' => '入口網頁',
+ 'payment_type' => '付款方式',
+ 'form' => '表單',
+ 'link' => '連接',
+ 'fields' => '欄位',
+ 'dwolla' => 'Dwolla',
+ 'buy_now_buttons_warning' => '注意:即使交易未完成,客戶資料與發票仍會被建立。',
+ 'buy_now_buttons_disabled' => '這項功能需先建立一項產品資料並設定一個付款閘道。',
+ 'enable_buy_now_buttons_help' => '啟用支援立即購買按鈕',
+ 'changes_take_effect_immediately' => '注意:更改立即生效',
+ 'wepay_account_description' => '於發票忍者使用的付款閘道',
+ 'payment_error_code' => '處理您的付款時發生錯誤 [:code]。請稍後再試。',
+ 'standard_fees_apply' => '費用: 2.9%/1.2% 〔信用卡/銀行轉帳〕[Credit Card/Bank Transfer] + $0.30 per successful charge.',
+ 'limit_import_rows' => '需要批次載入 :count 或較少行資料',
+ 'error_title' => '發生錯誤',
+ 'error_contact_text' => '若您願協助,請寫電子郵件給我們: :mailaddress',
+ 'no_undo' => '警告:這無法復原。',
+ 'no_contact_selected' => '請選擇一種通聯方式',
+ 'no_client_selected' => '請選擇一名客戶',
+
+ 'gateway_config_error' => '重設密碼或產稱一個新的API金鑰,可能會有用。',
+ 'payment_type_on_file' => ':type 已登錄',
+ 'invoice_for_client' => '給 :client的發票 :invoice ',
+ 'intent_not_found' => '抱歉,我不確定您問的是什麼。',
+ 'intent_not_supported' => '抱歉,我無法做那個。',
+ 'client_not_found' => '我無法找到這名客戶',
+ 'not_allowed' => '抱歉,您未獲許可',
+ 'bot_emailed_invoice' => '你的發票已經傳送了',
+ 'bot_emailed_notify_viewed' => '我將查閱後以電子郵件寄給您。',
+ 'bot_emailed_notify_paid' => '我將在這筆款項支付後以電子郵件寄給您。',
+ 'add_product_to_invoice' => '新增 1 :product',
+ 'not_authorized' => '您未獲許可',
+ 'bot_get_email' => '嗨!(wave)
感謝您試用發票忍者機器人。
您需建立一個免費帳號以使用這個機器人。
寄給我您的帳號所使用的電子郵件地址,以開始使用它。',
+ 'bot_get_code' => '感謝!我已寄給您一封電子郵件,內有您的安全密碼。',
+ 'bot_welcome' => '好了,您的帳戶已經過驗證。
',
+ 'email_not_found' => '我無法找到 :email 的帳戶',
+ 'invalid_code' => '密碼不正確',
+ 'security_code_email_subject' => '發票忍者機器人的密碼',
+ 'security_code_email_line1' => '這是您的發票忍者機器人安全密碼',
+ 'security_code_email_line2' => '注意:它將在10分鐘以後失效。',
+ 'bot_help_message' => '我目前支援:
• 建立\更新\以電子郵件寄送發票
• 產品列表
例如:
為Bob開立2張票的發票,將應付款日訂為下星期四,並且減價百分之10',
+ 'list_products' => '將所有產品列表',
+
+ 'include_item_taxes_inline' => '包含 單項產品稅金於該項目的總金額',
+ 'created_quotes' => '成功建立 :count 份報價單 (複數)',
+ 'limited_gateways' => '注意:我們的政策是,每個公司僅使用一個信用卡付款閘道。',
+
+ 'warning' => '警告',
+ 'self-update' => '更新',
+ 'update_invoiceninja_title' => '更新發票忍者',
+ 'update_invoiceninja_warning' => '在開始更新發票忍者之前,先備份您的資料庫與檔案!',
+ 'update_invoiceninja_available' => '有新版的發票忍者可用。',
+ 'update_invoiceninja_unavailable' => '發票忍者無更新的版本',
+ 'update_invoiceninja_instructions' => '請點擊以下的現在更新按鈕以安裝新版本 :version。然後,您將會被轉引到總覽頁。',
+ 'update_invoiceninja_update_start' => '現在更新',
+ 'update_invoiceninja_download_start' => '下載 :version',
+ 'create_new' => '建立新的',
+
+ 'toggle_navigation' => '切換導覽',
+ 'toggle_history' => '切換歷程記錄',
+ 'unassigned' => '未指定的',
+ 'task' => '任務',
+ 'contact_name' => '聯絡姓名',
+ 'city_state_postal' => '城市/州省/郵遞區號',
+ 'custom_field' => '客戶欄位',
+ 'account_fields' => '公司欄位',
+ 'facebook_and_twitter' => '臉書與推特',
+ 'facebook_and_twitter_help' => '訂閱我們的最新消息以協助支持我們的計畫',
+ 'reseller_text' => '注意:白牌授權僅供個人使用;若您要轉售這個程式,請寫電子郵件給我們 :email。',
+ 'unnamed_client' => '無名稱之客戶',
+
+ 'day' => '日',
+ 'week' => '星期',
+ 'month' => '月',
+ 'inactive_logout' => '您久未有動作,所以被登出',
+ 'reports' => '報告',
+ 'total_profit' => '獲利總計',
+ 'total_expenses' => '支出總計',
+ 'quote_to' => '報價單,開立給',
+
+ // Limits
+ 'limit' => '限制',
+ 'min_limit' => '最小值: :min',
+ 'max_limit' => '最大值: :max',
+ 'no_limit' => '無限制',
+ 'set_limits' => '設定 :gateway_type 之限制',
+ 'enable_min' => '啟用分鐘',
+ 'enable_max' => '啟用最大值',
+ 'min' => ' 最小值',
+ 'max' => '最大值',
+ 'limits_not_met' => '此發票不符合該付款類型的限制。',
+
+ 'date_range' => '日期範圍',
+ 'raw' => 'Raw',
+ 'raw_html' => 'Raw HTML',
+ 'update' => '更新',
+ 'invoice_fields_help' => '拖曳欄位以改變其順序與位置',
+ 'new_category' => '新類別',
+ 'restore_product' => '復原產品資料',
+ 'blank' => '空白',
+ 'invoice_save_error' => '在存檔您的發票時出現錯誤',
+ 'enable_recurring' => '啟用週期性',
+ 'disable_recurring' => '停用週期性',
+ 'text' => '文字',
+ 'expense_will_create' => '將建立支出資料',
+ 'expenses_will_create' => '將建立支出資料',
+ 'created_expenses' => '已成功建立 :count (項)支出資料。',
+
+ 'translate_app' => '透過 :link 協助改善我們的翻譯',
+ 'expense_category' => '支出類別',
+
+ 'go_ninja_pro' => '前往忍者專業版!',
+ 'go_enterprise' => '前往企業版!',
+ 'upgrade_for_features' => '升級以使用更多功能',
+ 'pay_annually_discount' => '年繳10個月的月費,即享有2個月免費!',
+ 'pro_upgrade_title' => '專業版忍者',
+ 'pro_upgrade_feature1' => '您的品牌.InvoiceNinja.com',
+ 'pro_upgrade_feature2' => '在個方面自訂您的發票!',
+ 'enterprise_upgrade_feature1' => '設定允許多使用者。',
+ 'enterprise_upgrade_feature2' => '將第3方的檔案附加於發票與支出資料',
+ 'much_more' => '還有更多!',
+ 'all_pro_fetaures' => '加上所有的專業版功能!',
+
+ 'currency_symbol' => '符號',
+ 'currency_code' => '代碼',
+
+ 'buy_license' => '購買授權',
+ 'apply_license' => '套用授權',
+ 'submit' => '送出',
+ 'white_label_license_key' => '授權金鑰',
+ 'invalid_white_label_license' => '白牌授權無效',
+ 'created_by' => '由 :name建立',
+ 'modules' => '模組',
+ 'financial_year_start' => '年度的第一個月',
+ 'authentication' => '認證',
+ 'checkbox' => '核選方塊',
+ 'invoice_signature' => '簽名',
+ 'show_accept_invoice_terms' => '發票條款核取方塊',
+ 'show_accept_invoice_terms_help' => '需要客戶確認他們接受發票條款。',
+ 'show_accept_quote_terms' => '報價單條款核取方塊',
+ 'show_accept_quote_terms_help' => '需要客戶確認接受報價單條款。',
+ 'require_invoice_signature' => '發票簽名',
+ 'require_invoice_signature_help' => '要求客戶提供其簽名。',
+ 'require_quote_signature' => '報價單簽名',
+ 'require_quote_signature_help' => '需要客戶提供簽名。',
+ 'i_agree' => '我同意這些條款',
+ 'sign_here' => '請在此處簽名:',
+ 'authorization' => '許可',
+ 'signed' => '已簽署',
+
+ // BlueVine
+ 'bluevine_promo' => '使用BlueVine,以彈性的商營運方式進行貸款與發票結帳。',
+ 'bluevine_modal_label' => '透過BlueVine登入',
+ 'bluevine_modal_text' => '快速建立您的企業。無紙化。
+',
+ 'bluevine_create_account' => '建立一個帳號',
+ 'quote_types' => '取得報價單',
+ 'invoice_factoring' => '開立應收帳款承購的發票',
+ 'line_of_credit' => '貸款額度',
+ 'fico_score' => '您的FICO分數',
+ 'business_inception' => '營運起始日',
+ 'average_bank_balance' => '平均銀行帳戶餘額',
+ 'annual_revenue' => '年收入',
+ 'desired_credit_limit_factoring' => '希望設定的發票貼現限額',
+ 'desired_credit_limit_loc' => '希望的貸款限額基準線',
+ 'desired_credit_limit' => '希望的貸款額度。',
+ 'bluevine_credit_line_type_required' => '您必須至少選擇一項',
+ 'bluevine_field_required' => '此欄位為必填',
+ 'bluevine_unexpected_error' => '發生為預期的錯誤。',
+ 'bluevine_no_conditional_offer' => '取得報價單之前,需提供更多資訊。點擊以下繼續。',
+ 'bluevine_invoice_factoring' => '開立應收帳款承購的發票',
+ 'bluevine_conditional_offer' => '附條件報價',
+ 'bluevine_credit_line_amount' => '貸款額度',
+ 'bluevine_advance_rate' => '預付率',
+ 'bluevine_weekly_discount_rate' => '每週折扣率',
+ 'bluevine_minimum_fee_rate' => '最低費用',
+ 'bluevine_line_of_credit' => '信用額度',
+ 'bluevine_interest_rate' => '利率',
+ 'bluevine_weekly_draw_rate' => '每週支取率',
+ 'bluevine_continue' => '前往BlueVine',
+ 'bluevine_completed' => '已完成註冊BlueVine',
+
+ 'vendor_name' => '供應商',
+ 'entity_state' => '狀態',
+ 'client_created_at' => '已建立的日期',
+ 'postmark_error' => '經由 Postmark: :link寄送電子郵件時發生問題',
+ 'project' => '專案',
+ 'projects' => '專案',
+ 'new_project' => '新專案',
+ 'edit_project' => '編輯專案',
+ 'archive_project' => '儲存專案',
+ 'list_projects' => '列出各項專案',
+ 'updated_project' => '成功更新的專案',
+ 'created_project' => '成功建立的專案',
+ 'archived_project' => '成功地將專案存檔',
+ 'archived_projects' => '成功地存檔 :count 項計畫',
+ 'restore_project' => '復原之專案',
+ 'restored_project' => '成功儲存的專案',
+ 'delete_project' => '刪除專案',
+ 'deleted_project' => '成功刪除的專案',
+ 'deleted_projects' => '成功地刪除 :count 件專案',
+ 'delete_expense_category' => '刪除類別',
+ 'deleted_expense_category' => '已成功刪除類別',
+ 'delete_product' => '刪除貸款資料',
+ 'deleted_product' => '已成功刪除產品資料',
+ 'deleted_products' => '已成功刪除 :count筆產品資料',
+ 'restored_product' => '已成功復原產品資料',
+ 'update_credit' => '更新貸款資料',
+ 'updated_credit' => '成功更新的貸款資料',
+ 'edit_credit' => '編輯貸款資料',
+ 'live_preview_help' => '在發票頁面即時顯示PDF預覽。
停用此項以在編輯發票時提高效能。',
+ 'force_pdfjs_help' => '在 :chrome_link與:firefox_link中取代 PDF閱讀器。
如果您的瀏覽器會自動下載PDF,啟用此選項。',
+ 'force_pdfjs' => '防止下載',
+ 'redirect_url' => '重新導向URL',
+ 'redirect_url_help' => '可選擇性地指定一個在付款完成後進行重新導向的網址。',
+ 'save_draft' => '儲存草稿',
+ 'refunded_credit_payment' => '已退款之貸款支付',
+ 'keyboard_shortcuts' => '鍵盤快捷鍵',
+ 'toggle_menu' => '切換選單',
+ 'new_...' => '新...',
+ 'list_...' => '列表…',
+ 'created_at' => '建立日期',
+ 'contact_us' => '聯絡我們',
+ 'user_guide' => '使用者指南',
+ 'promo_message' => '在 :expires之前升級,並獲得您第一年訂用我們的專業版或企業版的折價 :amount 。',
+ 'discount_message' => '在 :expires之前減價 :amount',
+ 'mark_paid' => '標示為已付',
+ 'marked_sent_invoice' => '已成功地標示寄出的發票',
+ 'marked_sent_invoices' => '已成功地標示寄出的發票',
+ 'invoice_name' => '發票',
+ 'product_will_create' => '將會建立產品資料',
+ 'contact_us_response' => '感謝您的來信!我們會儘速回覆。',
+ 'last_7_days' => '前7日',
+ 'last_30_days' => '前30日',
+ 'this_month' => '本月',
+ 'last_month' => '上個月',
+ 'last_year' => '下個月',
+ 'custom_range' => '自訂範圍',
+ 'url' => 'URL',
+ 'debug' => '檢查錯誤',
+ 'https' => 'HTTPS',
+ 'require' => '要求',
+ 'license_expiring' => '注意事項:您的使用權利將在 :count 日到期,請至 :link 進行更新。',
+ 'security_confirmation' => '您的電子郵件地址已被確認。',
+ 'white_label_expired' => '您的白牌授權已過期,請考慮續約以協助支持我們的計劃。',
+ 'renew_license' => '更新授權',
+ 'iphone_app_message' => '不妨考慮下載我們的 :link',
+ 'iphone_app' => 'iPhone app',
+ 'android_app' => '安卓APP',
+ 'logged_in' => '已登入',
+ 'switch_to_primary' => '切換至您的主要公司 (:name) 以管理您的訂用版本。',
+ 'inclusive' => '內含的',
+ 'exclusive' => '不包含的',
+ 'postal_city_state' => '郵遞區號/城市/國家',
+ 'phantomjs_help' => '在某些情況下,此程式使用 :link_phantom來產生PDF檔案,請安裝 :link_docs以於本機產生之。',
+ 'phantomjs_local' => '使用本機的 PhantomJS',
+ 'client_number' => '客戶編號',
+ 'client_number_help' => '指定一個前置符號以使用自訂模式,動態設定客戶編號。',
+ 'next_client_number' => '下一個客戶編號為 :number',
+ 'generated_numbers' => '自動產生之號碼',
+ 'notes_reminder1' => '第一次提醒',
+ 'notes_reminder2' => '第二次提醒',
+ 'notes_reminder3' => '第三次提醒',
+ 'bcc_email' => '電子郵件密件副本',
+ 'tax_quote' => '稅額估算',
+ 'tax_invoice' => '稅金發票',
+ 'emailed_invoices' => '成功以電子郵件寄出的發票',
+ 'emailed_quotes' => '成功以電子郵件寄出的報價單',
+ 'website_url' => '網站網址',
+ 'domain' => '網域',
+ 'domain_help' => '用於客戶資料入口以及寄送電子郵件時。',
+ 'domain_help_website' => '用於寄送電子郵件時。',
+ 'preview' => '預覽',
+ 'import_invoices' => '載入發票',
+ 'new_report' => '新報告',
+ 'edit_report' => '編輯報告',
+ 'columns' => '欄',
+ 'filters' => '篩選',
+ 'sort_by' => '排序,按照',
+ 'draft' => '草稿',
+ 'unpaid' => '未付',
+ 'aging' => '帳齡',
+ 'age' => '年齡',
+ 'days' => '日',
+ 'age_group_0' => '0 - 30 天',
+ 'age_group_30' => '30 - 60 天',
+ 'age_group_60' => '60 - 90 天',
+ 'age_group_90' => '90 - 120 天',
+ 'age_group_120' => '120 天以上',
+ 'invoice_details' => '發票詳細內容',
+ 'qty' => '數量',
+ 'profit_and_loss' => '利潤與損失',
+ 'revenue' => '收入',
+ 'profit' => '利潤',
+ 'group_when_sorted' => '群組排序',
+ 'group_dates_by' => '依日期分組,按照:',
+ 'year' => '年',
+ 'view_statement' => '查看財務報表',
+ 'statement' => '財務報表',
+ 'statement_date' => '財務報表日期',
+ 'mark_active' => '標示為使用中',
+ 'send_automatically' => '自動寄送',
+ 'initial_email' => '最初的電子郵件',
+ 'invoice_not_emailed' => '此發票未被寄出',
+ 'quote_not_emailed' => '此發票未被寄出',
+ 'sent_by' => '由 :user寄出',
+ 'recipients' => '收件匣',
+ 'save_as_default' => '儲存為預設值',
+ 'template' => '範本',
+ 'start_of_week_help' => '由 日期選擇器使用',
+ 'financial_year_start_help' => '由日期範圍 選擇器所使用',
+ 'reports_help' => 'Shift + Click 可多欄排序,Ctrl + Click 以取消組合。',
+ 'this_year' => '今年',
+
+ // Updated login screen
+ 'ninja_tagline' => '建立。寄送。接受付款。',
+ 'login_or_existing' => '或使用已連結的帳號登入',
+ 'sign_up_now' => '現在就註冊',
+ 'not_a_member_yet' => '尚未成為會員?',
+ 'login_create_an_account' => '建立一個帳號',
+ 'client_login' => '客戶登入',
+
+ // New Client Portal styling
+ 'invoice_from' => '發票來自:',
+ 'email_alias_message' => '我們要求每個公司擁有專屬的電子郵件地址。
建議使用代稱。例如, email+label@example.com',
+ 'full_name' => '全名',
+ 'month_year' => '月/年',
+ 'valid_thru' => '有效 至',
+
+ 'product_fields' => '產品欄位',
+ 'custom_product_fields_help' => '在建立產品資料或發票時增加欄位,並在PDF檔案顯示其標題與值。',
+ 'freq_two_months' => '兩個月',
+ 'freq_yearly' => '每年',
+ 'profile' => '簡介',
+ 'payment_type_help' => '設定預設的人工付款方式。',
+ 'industry_Construction' => '建構',
+ 'your_statement' => '您的報表',
+ 'statement_issued_to' => '列出報表給',
+ 'statement_to' => '報表給',
+ 'customize_options' => '自訂選項',
+ 'created_payment_term' => '成功建立的付款條款',
+ 'updated_payment_term' => '成功更新的付款條款',
+ 'archived_payment_term' => '成功存檔的付款條款',
+ 'resend_invite' => '重寄邀請函',
+ 'credit_created_by' => '由 :transaction_reference付款所建立的貸款',
+ 'created_payment_and_credit' => '已成功建立付款與貸款資料',
+ 'created_payment_and_credit_emailed_client' => '已成功建立付款與貸款資料,並以電子郵件寄送給客戶',
+ 'create_project' => '建立專案',
+ 'create_vendor' => '建立銷售人員資料',
+ 'create_expense_category' => '建立類別',
+ 'pro_plan_reports' => ':link 來使用專業版以啟用報告功能',
+ 'mark_ready' => '標示為備妥可用',
+
+ 'limits' => '限制',
+ 'fees' => '各項費用',
+ 'fee' => '費用',
+ 'set_limits_fees' => '設定 :gateway_type 限制/費用',
+ 'fees_tax_help' => '啟用單列品項稅以設定費用稅率',
+ 'fees_sample' => ' :amount 份發票的費用應為 :total。',
+ 'discount_sample' => ':amount 的發票折價應為 :total。',
+ 'no_fees' => '無費用',
+ 'gateway_fees_disclaimer' => '警告:不是每個國家/付款閘道都允許增加費用,請參考當地法律/服務條款。',
+ 'percent' => '百分比',
+ 'location' => '地點',
+ 'line_item' => '單列品項',
+ 'surcharge' => '額外費用',
+ 'location_first_surcharge' => '啟用 - 第一項額外費用',
+ 'location_second_surcharge' => '啟用 - 第二項額外費用',
+ 'location_line_item' => '啟用 - 單列品項',
+ 'online_payment_surcharge' => '線上付款額外費用',
+ 'gateway_fees' => '閘道費用',
+ 'fees_disabled' => '費用選項已停用',
+ 'gateway_fees_help' => '自動增加一項線上支付的額外費用/折扣',
+ 'gateway' => '閘道',
+ 'gateway_fee_change_warning' => '若有未付的附加費用發票,這些發票需以人工方式進行更新。',
+ 'fees_surcharge_help' => '自訂額外費用',
+ 'label_and_taxes' => '標籤與稅金',
+ 'billable' => '可結帳的',
+ 'logo_warning_too_large' => '這個圖像檔案太大。',
+ 'logo_warning_fileinfo' => '警告:欲支援gif檔案,需啟用 fileinfo PHP 擴充程式。',
+ 'logo_warning_invalid' => '讀取圖像時發生問題,請試用另一種格式。',
+
+ 'error_refresh_page' => '發生錯誤,請重新載入網頁,然後再試一次。',
+ 'data' => '資料',
+ 'imported_settings' => '已成功地匯入設定值',
+ 'reset_counter' => '重設計數器',
+ 'next_reset' => '下一次重設',
+ 'reset_counter_help' => '自動地重設發票與報價單計數器。',
+ 'auto_bill_failed' => '發票:invoice_number之自動結帳失敗',
+ 'online_payment_discount' => '線上付款折扣',
+ 'created_new_company' => '已',
+ 'fees_disabled_for_gateway' => '費用資料功能在此閘道停用。',
+ 'logout_and_delete' => '登出/刪除帳號',
+ 'tax_rate_type_help' => '選擇後,內含稅率即調整單行項目價格。
只有內含稅可作為預設值。',
+ 'invoice_footer_help' => '使用 $pageNumber與$pageCount顯示頁面資訊。',
+ 'credit_note' => '貸款註記',
+ 'credit_issued_to' => '放款給',
+ 'credit_to' => '貸款給',
+ 'your_credit' => '您的貸款',
+ 'credit_number' => '貸款編號',
+ 'create_credit_note' => '建立貸款註記',
+ 'menu' => '選單',
+ 'error_incorrect_gateway_ids' => '錯誤:閘道表有錯誤的帳號名稱。',
+ 'purge_data' => '清除資料',
+ 'delete_data' => '刪除資料',
+ 'purge_data_help' => '永久性地刪除所有資料,但保留帳號與設定',
+ 'cancel_account_help' => '永久性地刪除帳號,以及所有資料與設定。',
+ 'purge_successful' => '已成功清除公司資料',
+ 'forbidden' => '禁止的',
+ 'purge_data_message' => '警告:這將永久性地抹除您的資料;沒有恢復的可能。',
+ 'contact_phone' => '聯絡電話',
+ 'contact_email' => '聯絡用的電子郵件',
+ 'reply_to_email' => '回覆電子郵件',
+ 'reply_to_email_help' => '指定回覆客戶電子郵件時所使用的地址。',
+ 'bcc_email_help' => '私下將此地址與客戶電子郵件列入。',
+ 'import_complete' => '您的匯入已順利完成。',
+ 'confirm_account_to_import' => '請確認您的帳號以匯入資料',
+ 'import_started' => '您的匯入已開始,我們將在匯入完畢後寄送一封電子郵件給您。',
+ 'listening' => '接聽中…',
+ 'microphone_help' => '說「 [client]的新發票」或「讓我看[client]的已存檔付款資料」',
+ 'voice_commands' => '聲控',
+ 'sample_commands' => '示範指令',
+ 'voice_commands_feedback' => '我們正積極致力於改善此功能。若有您希望我們支援的指令,請以電子郵件告訴我們 :email。',
+ 'payment_type_Venmo' => 'Venmo',
+ 'payment_type_Money Order' => '匯票',
+ 'archived_products' => '已成功地儲存 :count 項產品資料',
+ 'recommend_on' => '們建議 啟用這項設定。',
+ 'recommend_off' => '我們建議 停用這項設定。',
+ 'notes_auto_billed' => '自動收款',
+ 'surcharge_label' => '額外費用標籤',
+ 'contact_fields' => '通訊資料欄位',
+ 'custom_contact_fields_help' => '於建立聯絡人資料時增加欄位,且可選擇在PDF檔案顯示欄位名稱與值。',
+ 'datatable_info' => '顯示 :total 個項目的 :start至 :end項',
+ 'credit_total' => '貸款總額',
+ 'mark_billable' => '標示為可收費',
+ 'billed' => '已開立帳單',
+ 'company_variables' => '公司變項',
+ 'client_variables' => '客戶變項',
+ 'invoice_variables' => '發票的變項',
+ 'navigation_variables' => '導覽的變項',
+ 'custom_variables' => '客戶變項',
+ 'invalid_file' => '無效的檔案類型',
+ 'add_documents_to_invoice' => '新增文件至發票',
+ 'mark_expense_paid' => '標示為已付款',
+ 'white_label_license_error' => '無法驗證授權。預知詳情,請檢查storage/logs/laravel-error.log。',
+ 'plan_price' => '方案價格',
+ 'wrong_confirmation' => '不正確的認證碼',
+ 'oauth_taken' => '這個帳號已被登記',
+ 'emailed_payment' => '已成功地以電子郵件寄送付款資料',
+ 'email_payment' => '以電子郵件寄送付款資料',
+ 'invoiceplane_import' => '使用 :link 以從InvoicePlan移轉您的資料。',
+ 'duplicate_expense_warning' => '警告:這個:link 可能是重複的。',
+ 'expense_link' => '支出',
+ 'resume_task' => '恢復任務',
+ 'resumed_task' => '已成功地恢復任務',
+ 'quote_design' => '報價單設計',
+ 'default_design' => '標準設計',
+ 'custom_design1' => '自訂設計 1',
+ 'custom_design2' => '自訂設計 2',
+ 'custom_design3' => '自訂設計 3',
+ 'empty' => '空',
+ 'load_design' => '載入設計',
+ 'accepted_card_logos' => '接受的卡片標誌',
+ 'phantomjs_local_and_cloud' => '使用本機的 PhantomJS, 回到 phantomjscloud.com。',
+ 'google_analytics' => 'Googlezp 分析',
+ 'analytics_key' => '分析的金鑰',
+ 'analytics_key_help' => '使用 :link來追蹤付款',
+ 'start_date_required' => '起始日期為必填',
+ 'application_settings' => '程式設定',
+ 'database_connection' => '資料庫連結',
+ 'driver' => '磁碟',
+ 'host' => '主機',
+ 'database' => '資料庫',
+ 'test_connection' => '測試連結',
+ 'from_name' => '按照姓名',
+ 'from_address' => '按照地址',
+ 'port' => '埠',
+ 'encryption' => '加密',
+ 'mailgun_domain' => 'Mailgun 網域',
+ 'mailgun_private_key' => 'Mailgun 私密金鑰',
+ 'send_test_email' => '寄送測試郵件',
+ 'select_label' => '選擇標籤',
+ 'label' => '標籤',
+ 'service' => '服務',
+ 'update_payment_details' => '更新付款詳細資料',
+ 'updated_payment_details' => '已成功更新付款詳細資料',
+ 'update_credit_card' => '更新信用卡',
+ 'recurring_expenses' => '週期性開銷',
+ 'recurring_expense' => '週期性的支出',
+ 'new_recurring_expense' => '新的週期性的支出',
+ 'edit_recurring_expense' => '編輯週期性的支出',
+ 'archive_recurring_expense' => '將週期性支出存檔',
+ 'list_recurring_expense' => '列出週期性的支出',
+ 'updated_recurring_expense' => '已成功週期性的支出',
+ 'created_recurring_expense' => '已成功週期性的支出',
+ 'archived_recurring_expense' => '已成功將週期性的支出',
+ 'archived_recurring_expense' => '已成功將週期性的支出',
+ 'restore_recurring_expense' => '復原週期性的支出',
+ 'restored_recurring_expense' => '已成功復原週期性的支出',
+ 'delete_recurring_expense' => '刪除週期性的支出',
+ 'deleted_recurring_expense' => '成功地刪除的專案',
+ 'deleted_recurring_expense' => '成功地刪除的專案',
+ 'view_recurring_expense' => '查看週期性的支出',
+ 'taxes_and_fees' => '稅金與費用',
+ 'import_failed' => '載入失敗',
+ 'recurring_prefix' => '用以標示週期性的前置符號',
+ 'options' => '選項',
+ 'credit_number_help' => '設定一個前置符號或使用自訂型態,以動態地為欠款發票設定貸款號碼。',
+ 'next_credit_number' => '下一個貸款號碼是 :number。',
+ 'padding_help' => '補齊數字所使用的零的個數。',
+ 'import_warning_invalid_date' => '警告:日期格式顯然有誤。',
+ 'product_notes' => '產品註記',
+ 'app_version' => 'APP版本',
+ 'ofx_version' => 'OFX版本',
+ 'gateway_help_23' => ':link以取得您的 Stripe API金鑰。',
+ 'error_app_key_set_to_default' => '錯誤: APP_KEY被設為預設值;先備份您的資料庫,然後執行php artisan ninja:update-key
以更新之',
+ 'charge_late_fee' => '受取逾期費用',
+ 'late_fee_amount' => '逾期費用金額',
+ 'late_fee_percent' => '逾期費用率',
+ 'late_fee_added' => '增列逾期費用 :date',
+ 'download_invoice' => '下載發票',
+ 'download_quote' => '下載報價單',
+ 'invoices_are_attached' => '您的發票PDF檔案已附加到郵件。',
+ 'downloaded_invoice' => '將會寄出一封附有發票的PDF檔案之電子郵件',
+ 'downloaded_quote' => '將會寄出一封附有報價單的PDF檔案之電子郵件',
+ 'downloaded_invoices' => '一封附加發票PDF檔案的電子郵件將會寄出',
+ 'downloaded_quotes' => '一封附帶報價單PDF檔案的電子郵件將會寄出',
+ 'clone_expense' => '複製',
+ 'default_documents' => '預設的文件',
+ 'send_email_to_client' => '寄送電子郵件給客戶',
+ 'refund_subject' => '已辦理退款',
+ 'refund_body' => '您的發票:invoice_number之 :amount 退款已辦理。',
+
+ 'currency_us_dollar' => '美元',
+ 'currency_british_pound' => '英鎊',
+ 'currency_euro' => '歐元',
+ 'currency_south_african_rand' => '南非蘭特',
+ 'currency_danish_krone' => '丹麥克朗',
+ 'currency_israeli_shekel' => '以色列謝克爾',
+ 'currency_swedish_krona' => '瑞典克朗',
+ 'currency_kenyan_shilling' => '肯亞先令',
+ 'currency_canadian_dollar' => '加拿大元',
+ 'currency_philippine_peso' => '菲律賓披索',
+ 'currency_indian_rupee' => '印度盧布',
+ 'currency_australian_dollar' => '澳幣',
+ 'currency_singapore_dollar' => '新加坡幣',
+ 'currency_norske_kroner' => '挪威克朗',
+ 'currency_new_zealand_dollar' => '紐西蘭幣',
+ 'currency_vietnamese_dong' => '越南盾',
+ 'currency_swiss_franc' => '瑞士法郎',
+ 'currency_guatemalan_quetzal' => '瓜地馬拉格查爾',
+ 'currency_malaysian_ringgit' => '馬來西亞令吉',
+ 'currency_brazilian_real' => '巴西里爾',
+ 'currency_thai_baht' => '泰銖',
+ 'currency_nigerian_naira' => '奈及利亞奈拉',
+ 'currency_argentine_peso' => '阿根廷披索',
+ 'currency_bangladeshi_taka' => '孟加拉塔卡',
+ 'currency_united_arab_emirates_dirham' => '阿拉伯聯合大公國幣',
+ 'currency_hong_kong_dollar' => '港幣',
+ 'currency_indonesian_rupiah' => '印尼盾',
+ 'currency_mexican_peso' => '墨西哥披索',
+ 'currency_egyptian_pound' => '埃及鎊',
+ 'currency_colombian_peso' => '哥倫比亞披索',
+ 'currency_west_african_franc' => '西非法郎',
+ 'currency_chinese_renminbi' => '中國人民幣',
+ 'currency_rwandan_franc' => '盧安達法郎',
+ 'currency_tanzanian_shilling' => '坦尚尼亞先令',
+ 'currency_netherlands_antillean_guilder' => '荷屬安地列斯盾',
+ 'currency_trinidad_and_tobago_dollar' => '特立尼達和多巴哥元',
+ 'currency_east_caribbean_dollar' => '東加勒比元',
+ 'currency_ghanaian_cedi' => '迦納塞地',
+ 'currency_bulgarian_lev' => '保加利亞列弗',
+ 'currency_aruban_florin' => '阿魯巴弗羅林',
+ 'currency_turkish_lira' => '土耳其里拉',
+ 'currency_romanian_new_leu' => '羅馬尼亞新列伊',
+ 'currency_croatian_kuna' => '克羅埃西亞庫納',
+ 'currency_saudi_riyal' => '沙烏地里亞爾',
+ 'currency_japanese_yen' => '日圓',
+ 'currency_maldivian_rufiyaa' => '馬爾地夫拉菲亞',
+ 'currency_costa_rican_colon' => '哥斯大黎加幣',
+ 'currency_pakistani_rupee' => '巴基斯坦盧比',
+ 'currency_polish_zloty' => '波蘭幣',
+ 'currency_sri_lankan_rupee' => '斯里蘭卡盧比',
+ 'currency_czech_koruna' => '捷克幣',
+ 'currency_uruguayan_peso' => '烏拉圭披索',
+ 'currency_namibian_dollar' => '納比亞元',
+ 'currency_tunisian_dinar' => '突尼西亞幣',
+ 'currency_russian_ruble' => '俄國盧布',
+ 'currency_mozambican_metical' => '莫三比克幣',
+ 'currency_omani_rial' => '阿曼里亞爾',
+ 'currency_ukrainian_hryvnia' => '烏克蘭格里夫納',
+ 'currency_macanese_pataca' => '澳門幣',
+ 'currency_taiwan_new_dollar' => '新台幣',
+ 'currency_dominican_peso' => '多明尼加披索',
+ 'currency_chilean_peso' => '智利披索',
+ 'currency_icelandic_krona' => '冰島克朗',
+ 'currency_papua_new_guinean_kina' => '巴布亞紐幾內亞基那',
+ 'currency_jordanian_dinar' => '約旦第納爾',
+ 'currency_myanmar_kyat' => '緬元',
+ 'currency_peruvian_sol' => '秘魯索爾',
+ 'currency_botswana_pula' => '波札那普拉',
+ 'currency_hungarian_forint' => '匈牙利幣',
+ 'currency_ugandan_shilling' => '烏干達仙令',
+ 'currency_barbadian_dollar' => '巴貝多元',
+ 'currency_brunei_dollar' => '汶萊元',
+ 'currency_georgian_lari' => '喬治亞幣',
+ 'currency_qatari_riyal' => '卡達幣',
+ 'currency_honduran_lempira' => '宏都拉斯倫皮拉',
+ 'currency_surinamese_dollar' => '蘇利南元',
+ 'currency_bahraini_dinar' => '巴林第納爾',
+
+ 'review_app_help' => '我們希望您喜歡使用這個程式。
若您考慮 :link,我們會非常感謝!',
+ 'writing_a_review' => '撰寫評語',
+
+ 'use_english_version' => '確認使用這些檔案的英文版。
我們使用欄標頭以配合欄位。',
+ 'tax1' => '首項稅負',
+ 'tax2' => '次項稅負',
+ 'fee_help' => '閘道費是使用處理線上支付的金融網路收取的費用。',
+ 'format_export' => '輸出格式',
+ 'custom1' => '首位顧客',
+ 'custom2' => '第二名顧客',
+ 'contact_first_name' => '通訊資料:名',
+ 'contact_last_name' => '通訊資料:姓',
+ 'contact_custom1' => '通訊資料:首位顧客',
+ 'contact_custom2' => '通訊資料:第二位顧客',
+ 'currency' => '貨幣',
+ 'ofx_help' => '欲排除障礙,查閱 :ofxhome_link 的留言並以 :ofxget_link進行測試。',
+ 'comments' => '評注',
+
+ 'item_product' => '本項產品',
+ 'item_notes' => '本項註記',
+ 'item_cost' => '本項開銷',
+ 'item_quantity' => '本項數量',
+ 'item_tax_rate' => '品項稅率',
+ 'item_tax_name' => '品項稅名',
+ 'item_tax1' => '項目稅 1',
+ 'item_tax2' => '項目稅 2',
+
+ 'delete_company' => '刪除公司資料',
+ 'delete_company_help' => '永久刪除此公司及相關的所有資料與設定',
+ 'delete_company_message' => '警告:這將永久刪除您的公司資料,而且不可能復原。',
+
+ 'applied_discount' => '已使用折價券,所選擇的版本價格已減少discount%。',
+ 'applied_free_year' => '已使用折價券,您的帳戶已升級至專業版,有效期一年。',
+
+ 'contact_us_help' => '若您正在通報錯誤,請納入 storage/logs/laravel-error.log之中的每個相關的記錄檔',
+ 'include_errors' => '包含錯誤',
+ 'include_errors_help' => '納入 來自 storage/logs/laravel-error.log的 :link',
+ 'recent_errors' => '最近的錯誤',
+ 'customer' => '顧客',
+ 'customers' => '顧客',
+ 'created_customer' => '已成功建立客戶資料',
+ 'created_customers' => '已成功建立 :count筆客戶資料',
+
+ 'purge_details' => '已成功地清除您的公司 (:account) 資料。',
+ 'deleted_company' => '已成功地清除公司資料',
+ 'deleted_account' => '已成功地取消帳號',
+ 'deleted_company_details' => '已成功地刪除您的公司 (:account) 資料。',
+ 'deleted_account_details' => '已成功地刪除您的帳戶 (:account) 資料。',
+
+ 'alipay' => 'Alipay',
+ 'sofort' => 'Sofort',
+ 'sepa' => 'SEPA直接扣款',
+ 'enable_alipay' => '接受Alipay',
+ 'enable_sofort' => '接受歐盟銀行轉帳',
+ 'stripe_alipay_help' => '這些閘道也需要以 :link 開通。',
+ 'calendar' => '日曆',
+ 'pro_plan_calendar' => ':link 使用專業版,以啟用日曆',
+
+ 'what_are_you_working_on' => '您目前從事什麼?',
+ 'time_tracker' => '時間追蹤器',
+ 'refresh' => '更新',
+ 'filter_sort' => '篩選/排序',
+ 'no_description' => '沒有描述',
+ 'time_tracker_login' => '登入時間追蹤',
+ 'save_or_discard' => '儲存或放棄您所做的變更',
+ 'discard_changes' => '放棄改變',
+ 'tasks_not_enabled' => '任務未生效',
+ 'started_task' => '已成功地展開任務',
+ 'create_client' => '建立新客戶資料
+',
+
+ 'download_desktop_app' => '下載電腦版APP',
+ 'download_iphone_app' => '下載 iPhone APP',
+ 'download_android_app' => '下載Android APP',
+ 'time_tracker_mobile_help' => '點擊兩次任務,以選取之',
+ 'stopped' => '停止的',
+ 'ascending' => '由小到大',
+ 'descending' => '由大至小',
+ 'sort_field' => '排序,依照',
+ 'sort_direction' => '方向',
+ 'discard' => '放棄',
+ 'time_am' => '上午',
+ 'time_pm' => '下午',
+ 'time_mins' => '分',
+ 'time_hr' => '小時',
+ 'time_hrs' => '小時',
+ 'clear' => '清除',
+ 'warn_payment_gateway' => '注意:接受使用線上支付需要一個付款閘道, :link 新增一個。',
+ 'task_rate' => '任務費率',
+ 'task_rate_help' => '為開立發票的任務設定預設費率',
+ 'past_due' => '逾期未付',
+ 'document' => '文件',
+ 'invoice_or_expense' => '發票/支出',
+ 'invoice_pdfs' => '發票的PDF檔案',
+ 'enable_sepa' => '接受SEPA',
+ 'enable_bitcoin' => '接受比特幣',
+ 'iban' => '國際銀行帳戶號碼',
+ 'sepa_authorization' => '在提供您的國際銀行帳戶號碼並確認這項付款的同時,您准許 :company 與我們的支付服務協力廠商 Stripe寄送指示給您的銀行,以配合指示從您的帳戶取款。在您與您的銀行約定的條款與條件之下,您有權利從您的銀行取得退款。任何退款須在您的銀行扣款成功後的8週內提出要求。',
+ 'recover_license' => '收回授權',
+ 'purchase' => '購買',
+ 'recover' => ' 收回',
+ 'apply' => '應用',
+ 'recover_white_label_header' => '恢復白牌授權',
+ 'apply_white_label_header' => '使用白牌授權',
+ 'videos' => '影片',
+ 'video' => '影片',
+ 'return_to_invoice' => ' 返回「發票」',
+ 'gateway_help_13' => '欲使用 ITN,則讓PDT金鑰欄位留白。',
+ 'partial_due_date' => '部分應付款到期日',
+ 'task_fields' => '任務欄位',
+ 'product_fields_help' => '拖放欄位以來改變其順序',
+ 'custom_value1' => '自訂值',
+ 'custom_value2' => '自訂值',
+ 'enable_two_factor' => '雙重認證',
+ 'enable_two_factor_help' => '在登入時使用您的手機來確認您的身份',
+ 'two_factor_setup' => '雙重認證模式設定',
+ 'two_factor_setup_help' => '以一個 :link 相容程式掃描條碼',
+ 'one_time_password' => '一次性密碼',
+ 'set_phone_for_two_factor' => '設定您的手機號碼,以作為備用的啟動方式。',
+ 'enabled_two_factor' => '已成功地啟用雙重認證',
+ 'add_product' => '新增產品',
+ 'email_will_be_sent_on' => '注意:電子郵件將於 :date寄出。',
+ 'invoice_product' => '為產品開立發票',
+ 'self_host_login' => '自設網站之登入',
+ 'set_self_hoat_url' => '自設網站之網址',
+ 'local_storage_required' => '錯誤:沒有本地端的資料儲存',
+ 'your_password_reset_link' => '您的重設密碼連結',
+ 'subdomain_taken' => '這個子網域已使用',
+ 'client_login' => '客戶登入',
+ 'converted_amount' => '換算過的金額',
+ 'default' => '預設',
+ 'shipping_address' => '送貨地址',
+ 'bllling_address' => '帳單寄送地址',
+ 'billing_address1' => '帳單寄送地址之街/路',
+ 'billing_address2' => '帳單寄送地址之室',
+ 'billing_city' => '帳單寄送地址之城市',
+ 'billing_state' => '帳單寄送地址之州/省',
+ 'billing_postal_code' => '帳單寄送地址之郵遞區號',
+ 'billing_country' => '帳單寄送地址之國家',
+ 'shipping_address1' => '商品運送地址之街/路',
+ 'shipping_address2' => '商品運送地址之室',
+ 'shipping_city' => '商品運送地址之城市',
+ 'shipping_state' => '運送至國/省',
+ 'shipping_postal_code' => '送貨地點的郵遞區號',
+ 'shipping_country' => '寄送國',
+ 'classify' => '分類',
+ 'show_shipping_address_help' => '需要客戶提其送貨地址',
+ 'ship_to_billing_address' => '寄送至帳單地址',
+ 'delivery_note' => '寄送附註',
+ 'show_tasks_in_portal' => '在客戶的入口頁面顯示任務',
+ 'cancel_schedule' => '取消時間設定',
+ 'scheduled_report' => '已排定時程的報告',
+ 'scheduled_report_help' => '以電子郵件按照 :format寄送 :report 報告給 :email',
+ 'created_scheduled_report' => '已成功將報告排程',
+ 'deleted_scheduled_report' => '已成功將報告取消排程',
+ 'scheduled_report_attached' => '您已排程的 :type 報告已經附加其中。',
+ 'scheduled_report_error' => '排程報告建立失敗',
+ 'invalid_one_time_password' => '無效的一次性密碼',
+ 'apple_pay' => 'Apple/Google Pay',
+ 'enable_apple_pay' => '接受Apple Pay與Pay with Google',
+ 'requires_subdomain' => '此種付款類型需要一個 :link。',
+ 'subdomain_is_set' => '子網域已設定',
+ 'verification_file' => '驗證檔案',
+ 'verification_file_missing' => '接受付款需有驗證檔案。',
+ 'apple_pay_domain' => '使用:domain
作為 :link的網域。',
+ 'apple_pay_not_supported' => '抱歉,您的瀏覽器不支援Apple/Google Pay',
+ 'optional_payment_methods' => '可選擇的付款方式',
+ 'add_subscription' => '新增註冊',
+ 'target_url' => '目標',
+ 'target_url_help' => '一旦所選擇的事件發生,此程式即將此項傳送至目標網址。',
+ 'event' => '事件',
+ 'subscription_event_1' => '已建立的',
+ 'subscription_event_2' => '已建立的發票',
+ 'subscription_event_3' => '已建立的報價單',
+ 'subscription_event_4' => '已建立的付款資料',
+ 'subscription_event_5' => '建立賣方資料',
+ 'subscription_event_6' => '已更新的報價單',
+ 'subscription_event_7' => '已刪除的報價單',
+ 'subscription_event_8' => '已更新的發票',
+ 'subscription_event_9' => '已刪除的發票',
+ 'subscription_event_10' => '以更新的客戶資料',
+ 'subscription_event_11' => '已刪除的客戶資料',
+ 'subscription_event_12' => '已刪除的支出項目',
+ 'subscription_event_13' => '已更新的供應商資料',
+ 'subscription_event_14' => '已刪除的供應商資料',
+ 'subscription_event_15' => '已建立的支出項目',
+ 'subscription_event_16' => '已更新的支出項目',
+ 'subscription_event_17' => '已刪除的支出項目',
+ 'subscription_event_18' => '已建立的工作項目',
+ 'subscription_event_19' => '已更新的工作項目',
+ 'subscription_event_20' => '已刪除的任務',
+ 'subscription_event_21' => '已同意的報價單',
+ 'subscriptions' => '訂用',
+ 'updated_subscription' => '已成功更新訂用',
+ 'created_subscription' => '已成功建立訂用資料',
+ 'edit_subscription' => '編輯訂用資料',
+ 'archive_subscription' => '將註冊資料歸檔',
+ 'archived_subscription' => '已成功將訂用記錄存檔',
+ 'project_error_multiple_clients' => '專案不可屬於不同的客戶',
+ 'invoice_project' => '發票專案',
+ 'module_recurring_invoice' => '週期性發票',
+ 'module_credit' => 'Credits',
+ 'module_quote' => '報價單與提案',
+ 'module_task' => '任務與專案',
+ 'module_expense' => '支出與供應商',
+ 'reminders' => '提醒通知',
+ 'send_client_reminders' => '以電子郵件寄送提醒通知',
+ 'can_view_tasks' => '任務顯示於入口',
+ 'is_not_sent_reminders' => '提醒通知未寄送',
+ 'promotion_footer' => '您的優惠即將到期,現在就以 :link 進行升級。',
+ 'unable_to_delete_primary' => '注意:欲刪除這項公司資料,先刪除所有相連結的公司。',
+ 'please_register' => '請登記冊您的帳號',
+ 'processing_request' => '正在處理要求',
+ 'mcrypt_warning' => '警告:Mcrypt已失效,請執行 :command以更新您的加密程序。',
+ 'edit_times' => '編輯時間',
+ 'inclusive_taxes_help' => '內含 稅負於價格中',
+ 'inclusive_taxes_notice' => '一旦發票建立,此項設定無法被更改。',
+ 'inclusive_taxes_warning' => '警告:現存的發票需要被再次存檔',
+ 'copy_shipping' => '複製送貨資料',
+ 'copy_billing' => '複製帳單資料',
+ 'quote_has_expired' => '此發票已過期,請聯絡該商家。',
+ 'empty_table_footer' => '顯示 0 項資料的 0 到 0項',
+ 'do_not_trust' => '不要記住這個設備',
+ 'trust_for_30_days' => '信任30天',
+ 'trust_forever' => '永遠信任',
+ 'kanban' => '看板',
+ 'backlog' => '待辦清單',
+ 'ready_to_do' => '已準備就緒',
+ 'in_progress' => '處理中',
+ 'add_status' => '增加身份',
+ 'archive_status' => '儲存身份',
+ 'new_status' => '新的身份',
+ 'convert_products' => '換算產品',
+ 'convert_products_help' => '自動按照客戶使用的貨幣轉算產品價格',
+ 'improve_client_portal_link' => '設定一個子網域以縮短客戶入口頁面的網址',
+ 'budgeted_hours' => '列入預算的小時',
+ 'progress' => '進度',
+ 'view_project' => '查看專案',
+ 'summary' => '摘要',
+ 'endless_reminder' => '不終止的提醒函',
+ 'signature_on_invoice_help' => '附加以下的代碼以在PDF檔案中顯示您的客戶簽名',
+ 'signature_on_pdf' => '在PDF檔案上顯示',
+ 'signature_on_pdf_help' => '在發票/報價單的PDF檔案上顯示客戶簽名。',
+ 'expired_white_label' => '白牌授權已過期',
+ 'return_to_login' => '回到登入頁面',
+ 'convert_products_tip' => '注意:新增一個名稱為":name" 的 :link 以查看匯率。',
+ 'amount_greater_than_balance' => '此金額大於發票餘額,一筆貸款將與剩餘金額一起建立。',
+ 'custom_fields_tip' => '使用 Label|Option1,Option2
以顯示選項方塊。',
+ 'client_information' => '客戶資料',
+ 'updated_client_details' => '已成功更新客戶資料',
+ 'auto' => '自動',
+ 'tax_amount' => '稅額',
+ 'tax_paid' => '已付稅款',
+ 'none' => '無',
+ 'proposal_message_button' => '欲查看您的 :amount提案,點擊以下的按鈕。',
+ 'proposal' => '企劃',
+ 'proposals' => '企劃',
+ 'list_proposals' => '列出所有的企劃',
+ 'new_proposal' => '新增企劃',
+ 'edit_proposal' => '編輯企劃',
+ 'archive_proposal' => '將提案存檔',
+ 'delete_proposal' => '刪除提案',
+ 'created_proposal' => '已成功建立提案',
+ 'updated_proposal' => '已成功更新提案',
+ 'archived_proposal' => '成功存檔的提案',
+ 'deleted_proposal' => '成功存檔的提案',
+ 'archived_proposals' => '成功存檔 :count 份提案',
+ 'deleted_proposals' => '成功存檔 :count 份提案',
+ 'restored_proposal' => '成功復原的提案',
+ 'restore_proposal' => '復原提案',
+ 'snippet' => '程式碼片段',
+ 'snippets' => '程式碼片段',
+ 'proposal_snippet' => '程式碼片段',
+ 'proposal_snippets' => '程式碼片段',
+ 'new_proposal_snippet' => '新的程式碼片段',
+ 'edit_proposal_snippet' => '編輯程式碼片段',
+ 'archive_proposal_snippet' => '儲存程式碼片段',
+ 'delete_proposal_snippet' => '刪除程式碼片段',
+ 'created_proposal_snippet' => '已成功建立程式碼片段',
+ 'updated_proposal_snippet' => '已成功更新程式碼片段',
+ 'archived_proposal_snippet' => '已成功儲存程式碼片段',
+ 'deleted_proposal_snippet' => '已成功儲存程式碼片段',
+ 'archived_proposal_snippets' => '已成功儲 存:count 個存程式碼片段',
+ 'deleted_proposal_snippets' => '已成功儲 存:count 個存程式碼片段',
+ 'restored_proposal_snippet' => '已成功復原存程式碼片段',
+ 'restore_proposal_snippet' => '復原存程式碼片段',
+ 'template' => '範本',
+ 'templates' => '範本',
+ 'proposal_template' => '範本',
+ 'proposal_templates' => '範本',
+ 'new_proposal_template' => '新範本',
+ 'edit_proposal_template' => '編輯範本',
+ 'archive_proposal_template' => '儲存範本',
+ 'delete_proposal_template' => '刪除範本',
+ 'created_proposal_template' => '範本創造成功',
+ 'updated_proposal_template' => '已成功更新範本',
+ 'archived_proposal_template' => '已成功儲存範本',
+ 'deleted_proposal_template' => '已成功儲存範本',
+ 'archived_proposal_templates' => '已成功儲存 :count 個範本',
+ 'deleted_proposal_templates' => '存檔完成 :count 個範本',
+ 'restored_proposal_template' => '成功復原的範本',
+ 'restore_proposal_template' => '復原範本',
+ 'proposal_category' => '類別',
+ 'proposal_categories' => '類別',
+ 'new_proposal_category' => '新類別',
+ 'edit_proposal_category' => '編輯類別',
+ 'archive_proposal_category' => '儲存類別',
+ 'delete_proposal_category' => '刪除類別',
+ 'created_proposal_category' => '成功地建立類別',
+ 'updated_proposal_category' => '成功地更新類別',
+ 'archived_proposal_category' => '成功地儲存類別',
+ 'deleted_proposal_category' => '已成功儲存類別',
+ 'archived_proposal_categories' => '已成功儲存 :count項類別',
+ 'deleted_proposal_categories' => '已成功儲存 :count項類別',
+ 'restored_proposal_category' => '已成功復原類別',
+ 'restore_proposal_category' => '復原類別',
+ 'delete_status' => '刪除身份',
+ 'standard' => '標準',
+ 'icon' => '小圖示',
+ 'proposal_not_found' => '無法提供查詢的提案',
+ 'create_proposal_category' => '建立類別',
+ 'clone_proposal_template' => '複製範本',
+ 'proposal_email' => '提案的電子郵件',
+ 'proposal_subject' => ':account的新提案 :number',
+ 'proposal_message' => '欲查看您的金額為 :amount的提案,點擊以下的連結。',
+ 'emailed_proposal' => '成功地以電子郵件寄出提案',
+ 'load_template' => '載入範本',
+ 'no_assets' => '無圖像,拖曳檔案至此上傳',
+ 'add_image' => '新增圖像',
+ 'select_image' => '選擇圖像',
+ 'upgrade_to_upload_images' => '升級到企業版,以上傳圖片',
+ 'delete_image' => '刪除圖像',
+ 'delete_image_help' => '警告:刪除這個圖像,將會在所有的提案中移除它。',
+ 'amount_variable_help' => '注意:若經設定,發票的 $amount 欄位將使用 部分/存款 欄位;否則,它將使用發票餘額。',
+ 'taxes_are_included_help' => '注意:內含稅已啟用。',
+ 'taxes_are_not_included_help' => '注意:內含稅未啟用。',
+ 'change_requires_purge' => '需要s :link 帳號資料來改變此項設定。',
+ 'purging' => '清除',
+ 'warning_local_refund' => '退款將會在程式中紀錄,但不會在由付款閘道處理。',
+ 'email_address_changed' => '電子郵件地址已改變',
+ 'email_address_changed_message' => '您的帳號所使用的電子郵件已從 :old_email變更為 :new_email。',
+ 'test' => '測試',
+ 'beta' => 'Beta',
+ 'gmp_required' => '需要外掛程式GMP以匯出至ZIP檔案',
+ 'email_history' => '電子郵件歷程記錄',
+ 'loading' => '載入中',
+ 'no_messages_found' => '未找到訊息',
+ 'processing' => '處理中',
+ 'reactivate' => '重新生效',
+ 'reactivated_email' => '這個電子郵件地址已重新生效',
+ 'emails' => '電子郵件',
+ 'opened' => '已開啟',
+ 'bounced' => '已退回',
+ 'total_sent' => '總共已寄出',
+ 'total_opened' => '總共已開啟',
+ 'total_bounced' => '總共已退回',
+ 'total_spam' => '所有的垃圾郵件',
+ 'platforms' => '平台',
+ 'email_clients' => '寫電子郵件給客戶',
+ 'mobile' => '行動裝置',
+ 'desktop' => '電腦桌面',
+ 'webmail' => '網頁郵件',
+ 'group' => '群組',
+ 'subgroup' => '次群組',
+ 'unset' => '取消設定',
+ 'received_new_payment' => '您已收到一筆新的付款!',
+ 'slack_webhook_help' => '使用 :link以接收付款通知。',
+ 'slack_incoming_webhooks' => '回應流入的webhooks',
+ 'accept' => '接受',
+ 'accepted_terms' => '成功地接受最新的服務條款',
+ 'invalid_url' => '無效的URL',
+ 'workflow_settings' => '工作流程設定',
+ 'auto_email_invoice' => '自動電子郵件',
+ 'auto_email_invoice_help' => '週期性發票建立後,自動以電子郵件寄出。',
+ 'auto_archive_invoice' => '自動存檔',
+ 'auto_archive_invoice_help' => '發票已付款後,即自動將之存檔。',
+ 'auto_archive_quote' => '自動存檔',
+ 'auto_archive_quote_help' => '報價單轉換後,自動將它們存檔。',
+ 'allow_approve_expired_quote' => '允許同意過期的發票',
+ 'allow_approve_expired_quote_help' => '允許客戶同意過期的發票。',
+ 'invoice_workflow' => '發票工作流程',
+ 'quote_workflow' => '報價單工作流程',
+ 'client_must_be_active' => '錯誤:客戶資料必須為已生效',
+ 'purge_client' => '清除客戶資料',
+ 'purged_client' => '成功清除客戶資料',
+ 'purge_client_warning' => '所有相關的紀錄(發票、任務、支出、文件等等)也將會被刪除。',
+ 'clone_product' => '複製產品資料',
+ 'item_details' => '品項之詳細資料',
+ 'send_item_details_help' => '將單項產品的詳細資料傳送到付款主頁面',
+ 'view_proposal' => '查看提案',
+ 'view_in_portal' => '在入口頁面查看',
+ 'cookie_message' => '本網站使用cookies以確保您能在此得到最佳的使用經驗。',
+ 'got_it' => '瞭解了!',
+ 'vendor_will_create' => '將建立供應商資料',
+ 'vendors_will_create' => '將建立供應商資料',
+ 'created_vendors' => '成功建立 :count 筆賣方資料',
+ 'import_vendors' => '匯入賣方資料',
+ 'company' => '公司',
+ 'client_field' => '客戶欄位',
+ 'contact_field' => '通訊資料欄位',
+ 'product_field' => '產品欄位',
+ 'task_field' => '任務欄位',
+ 'project_field' => '專案欄位',
+ 'expense_field' => '支出欄位',
+ 'vendor_field' => '賣方欄位',
+ 'company_field' => '公司欄位',
+ 'invoice_field' => '發票欄位',
+ 'invoice_surcharge' => '發票額外費用',
+ 'custom_task_fields_help' => '在創建工作時新增欄位',
+ 'custom_project_fields_help' => '在建立專案時新增欄位',
+ 'custom_expense_fields_help' => '在創建支出紀錄時新增欄位',
+ 'custom_vendor_fields_help' => '在創建賣方資料時新增欄位',
+ 'messages' => '訊息',
+ 'unpaid_invoice' => '未付款的發票',
+ 'paid_invoice' => '已付款之發票',
+ 'unapproved_quote' => '未核准之報價單',
+ 'unapproved_proposal' => '未核准之提案',
+ 'autofills_city_state' => '自動填入的城市/國家',
+ 'no_match_found' => '未找到符合的資料',
+ 'password_strength' => '密碼強度',
+ 'strength_weak' => '弱',
+ 'strength_good' => '好',
+ 'strength_strong' => '強',
+ 'mark' => '品牌',
+ 'updated_task_status' => '更新工作狀態成功',
+ 'background_image' => '背景圖片',
+ 'background_image_help' => '使用 :link 來管理您的圖像,我們建議使用較小的檔案。',
+ 'proposal_editor' => '提案編輯器',
+ 'background' => '背景',
+ 'guide' => '指南 ',
+ 'gateway_fee_item' => '閘道費用項目',
+ 'gateway_fee_description' => '閘道的額外費用',
+ 'show_payments' => '顯示支付資料',
+ 'show_aging' => '顯示帳齡',
+ 'reference' => '參照',
+ 'amount_paid' => '已付金額',
+ 'send_notifications_for' => '寄送通知給',
+ 'all_invoices' => '所有發票',
+ 'my_invoices' => '我的發票',
+ 'mobile_refresh_warning' => '若您使用行動裝置APP,您可能需要做一次重新整理。',
+ 'enable_proposals_for_background' => '上傳一個背景圖像 :link以啟用提案模組。',
+
+);
+
+return $LANG;
+
+?>
diff --git a/resources/lang/zh_TW/validation.php b/resources/lang/zh_TW/validation.php
new file mode 100644
index 000000000000..255c401c3a6c
--- /dev/null
+++ b/resources/lang/zh_TW/validation.php
@@ -0,0 +1,174 @@
+ '必須接受 :attribute。',
+ 'active_url' => ':attribute 並非一個有效的網址。',
+ 'after' => ':attribute 必須要晚於 :date。',
+ 'after_or_equal' => ':attribute 必須要等於 :date 或更晚',
+ 'alpha' => ':attribute 只能以字母組成。',
+ 'alpha_dash' => ':attribute 只能以字母、數字及斜線組成。',
+ 'alpha_num' => ':attribute 只能以字母及數字組成。',
+ 'array' => ':attribute 必須為陣列。',
+ 'before' => ':attribute 必須要早於 :date。',
+ 'before_or_equal' => ':attribute 必須要等於 :date 或更早。',
+ 'between' => [
+ 'numeric' => ':attribute 必須介於 :min 至 :max 之間。',
+ 'file' => ':attribute 必須介於 :min 至 :max KB 之間。 ',
+ 'string' => ':attribute 必須介於 :min 至 :max 個字元之間。',
+ 'array' => ':attribute: 必須有 :min - :max 個元素。',
+ ],
+ 'boolean' => ':attribute 必須為布林值。',
+ 'confirmed' => ':attribute 確認欄位的輸入不一致。',
+ 'date' => ':attribute 並非一個有效的日期。',
+ 'date_format' => ':attribute 不符合 :format 的格式。',
+ 'different' => ':attribute 與 :other 必須不同。',
+ 'digits' => ':attribute 必須是 :digits 位數字。',
+ 'digits_between' => ':attribute 必須介於 :min 至 :max 位數字。',
+ 'dimensions' => ':attribute 圖片尺寸不正確。',
+ 'distinct' => ':attribute 已經存在。',
+ 'email' => ':attribute 必須是有效的電子郵件位址。',
+ 'exists' => '所選擇的 :attribute 選項無效。',
+ 'file' => ':attribute 必須是一個檔案。',
+ 'filled' => ':attribute 不能留空。',
+ 'gt' => [
+ 'numeric' => ':attribute 必須大於 :value。',
+ 'file' => ':attribute 必須大於 :value KB。',
+ 'string' => ':attribute 必須多於 :value 個字元。',
+ 'array' => ':attribute 必須多於 :value 個元素。',
+ ],
+ 'gte' => [
+ 'numeric' => ':attribute 必須大於或等於 :value。',
+ 'file' => ':attribute 必須大於或等於 :value KB。',
+ 'string' => ':attribute 必須多於或等於 :value 個字元。',
+ 'array' => ':attribute 必須多於或等於 :value 個元素。',
+ ],
+ 'image' => ':attribute 必須是一張圖片。',
+ 'in' => '所選擇的 :attribute 選項無效。',
+ 'in_array' => ':attribute 沒有在 :other 中。',
+ 'integer' => ':attribute 必須是一個整數。',
+ 'ip' => ':attribute 必須是一個有效的 IP 位址。',
+ 'ipv4' => ':attribute 必須是一個有效的 IPv4 位址。',
+ 'ipv6' => ':attribute 必須是一個有效的 IPv6 位址。',
+ 'json' => ':attribute 必須是正確的 JSON 字串。',
+ 'lt' => [
+ 'numeric' => ':attribute 必須小於 :value。',
+ 'file' => ':attribute 必須小於 :value KB。',
+ 'string' => ':attribute 必須少於 :value 個字元。',
+ 'array' => ':attribute 必須少於 :value 個元素。',
+ ],
+ 'lte' => [
+ 'numeric' => ':attribute 必須小於或等於 :value。',
+ 'file' => ':attribute 必須小於或等於 :value KB。',
+ 'string' => ':attribute 必須少於或等於 :value 個字元。',
+ 'array' => ':attribute 必須少於或等於 :value 個元素。',
+ ],
+ 'max' => [
+ 'numeric' => ':attribute 不能大於 :max。',
+ 'file' => ':attribute 不能大於 :max KB。',
+ 'string' => ':attribute 不能多於 :max 個字元。',
+ 'array' => ':attribute 最多有 :max 個元素。',
+ ],
+ 'mimes' => ':attribute 必須為 :values 的檔案。',
+ 'mimetypes' => ':attribute 必須為 :values 的檔案。',
+ 'min' => [
+ 'numeric' => ':attribute 不能小於 :min。',
+ 'file' => ':attribute 不能小於 :min KB。',
+ 'string' => ':attribute 不能小於 :min 個字元。',
+ 'array' => ':attribute 至少有 :min 個元素。',
+ ],
+ 'not_in' => '所選擇的 :attribute 選項無效。',
+ 'not_regex' => ':attribute 的格式錯誤。',
+ 'numeric' => ':attribute 必須為一個數字。',
+ 'present' => ':attribute 必須存在。',
+ 'regex' => ':attribute 的格式錯誤。',
+ 'required' => ':attribute 不能留空。',
+ 'required_if' => '當 :other 是 :value 時 :attribute 不能留空。',
+ 'required_unless' => '當 :other 不是 :value 時 :attribute 不能留空。',
+ 'required_with' => '當 :values 出現時 :attribute 不能留空。',
+ 'required_with_all' => '當 :values 出現時 :attribute 不能為空。',
+ 'required_without' => '當 :values 留空時 :attribute field 不能留空。',
+ 'required_without_all' => '當 :values 都不出現時 :attribute 不能留空。',
+ 'same' => ':attribute 與 :other 必須相同。',
+ 'size' => [
+ 'numeric' => ':attribute 的大小必須是 :size。',
+ 'file' => ':attribute 的大小必須是 :size KB。',
+ 'string' => ':attribute 必須是 :size 個字元。',
+ 'array' => ':attribute 必須是 :size 個元素。',
+ ],
+ 'string' => ':attribute 必須是一個字串。',
+ 'timezone' => ':attribute 必須是一個正確的時區值。',
+ 'unique' => ':attribute 已經存在。',
+ 'uploaded' => ':attribute 上傳失敗。',
+ 'url' => ':attribute 的格式錯誤。',
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Language Lines
+ |--------------------------------------------------------------------------
+ |
+ | Here you may specify custom validation messages for attributes using the
+ | convention 'attribute.rule' to name the lines. This makes it quick to
+ | specify a specific custom language line for a given attribute rule.
+ |
+ */
+
+ 'custom' => [
+ 'attribute-name' => [
+ 'rule-name' => 'custom-message',
+ ],
+ ],
+
+ /*
+ |--------------------------------------------------------------------------
+ | Custom Validation Attributes
+ |--------------------------------------------------------------------------
+ |
+ | The following language lines are used to swap attribute place-holders
+ | with something more reader friendly such as E-Mail Address instead
+ | of 'email'. This simply helps us make messages a little cleaner.
+ |
+ */
+
+ 'attributes' => [
+ 'address' => '地址',
+ 'age' => '年齡',
+ 'available' => '可用的',
+ 'city' => '城市',
+ 'content' => '內容',
+ 'country' => '國家',
+ 'date' => '日期',
+ 'day' => '天',
+ 'description' => '描述',
+ 'email' => '電子郵件',
+ 'excerpt' => '摘要',
+ 'first_name' => '名',
+ 'gender' => '性別',
+ 'hour' => '時',
+ 'last_name' => '姓',
+ 'minute' => '分',
+ 'mobile' => '手機',
+ 'month' => '月',
+ 'name' => '名稱',
+ 'password' => '密碼',
+ 'password_confirmation' => '確認密碼',
+ 'phone' => '電話',
+ 'second' => '秒',
+ 'sex' => '性別',
+ 'size' => '大小',
+ 'time' => '時間',
+ 'title' => '標題',
+ 'username' => '使用者名字',
+ 'year' => '年',
+ ],
+];