diff --git a/app/Export/CSV/InvoiceItemExport.php b/app/Export/CSV/InvoiceItemExport.php index e7edd540bf3d..31c144d2f232 100644 --- a/app/Export/CSV/InvoiceItemExport.php +++ b/app/Export/CSV/InvoiceItemExport.php @@ -99,6 +99,7 @@ class InvoiceItemExport extends BaseExport public function run() { + MultiDB::setDb($this->company->db); App::forgetInstance('translator'); App::setLocale($this->company->locale()); @@ -108,25 +109,27 @@ class InvoiceItemExport extends BaseExport //load the CSV document from a string $this->csv = Writer::createFromString(); - if (count($this->input['report_keys']) == 0) { + if(count($this->input['report_keys']) == 0) $this->input['report_keys'] = array_values($this->entity_keys); - } //insert the header $this->csv->insertOne($this->buildHeader()); $query = Invoice::query() ->with('client')->where('company_id', $this->company->id) - ->where('is_deleted', 0); + ->where('is_deleted',0); $query = $this->addDateRange($query); $query->cursor() - ->each(function ($invoice) { - $this->iterateItems($invoice); - }); + ->each(function ($invoice){ + + $this->iterateItems($invoice); + + }); + + return $this->csv->toString(); - return $this->csv->toString(); } private function iterateItems(Invoice $invoice) @@ -135,68 +138,81 @@ class InvoiceItemExport extends BaseExport $transformed_items = []; - foreach ($invoice->line_items as $item) { + foreach($invoice->line_items as $item) + { $item_array = []; - foreach (array_values($this->input['report_keys']) as $key) { - if (str_contains($key, 'item.')) { - $key = str_replace('item.', '', $key); - $item_array[$key] = $item->{$key}; + foreach(array_values($this->input['report_keys']) as $key){ + + if(str_contains($key, "item.")){ + + $key = str_replace("item.", "", $key); + + if(property_exists($item, $key)) + $item_array[$key] = $item->{$key}; + else + $item_array[$key] = ''; + } + } $entity = []; - foreach (array_values($this->input['report_keys']) as $key) { + foreach(array_values($this->input['report_keys']) as $key) + { $keyval = array_search($key, $this->entity_keys); - if (array_key_exists($key, $transformed_items)) { + if(array_key_exists($key, $transformed_items)) $entity[$keyval] = $transformed_items[$key]; - } else { - $entity[$keyval] = ''; - } + else + $entity[$keyval] = ""; + } $transformed_items = array_merge($transformed_invoice, $item_array); $entity = $this->decorateAdvancedFields($invoice, $transformed_items); - $this->csv->insertOne($entity); + $this->csv->insertOne($entity); + } + } private function buildRow(Invoice $invoice) :array { + $transformed_invoice = $this->invoice_transformer->transform($invoice); $entity = []; - foreach (array_values($this->input['report_keys']) as $key) { + foreach(array_values($this->input['report_keys']) as $key){ + $keyval = array_search($key, $this->entity_keys); - if (array_key_exists($key, $transformed_invoice)) { + if(array_key_exists($key, $transformed_invoice)) $entity[$keyval] = $transformed_invoice[$key]; - } else { - $entity[$keyval] = ''; - } + else + $entity[$keyval] = ""; + } return $this->decorateAdvancedFields($invoice, $entity); + } private function decorateAdvancedFields(Invoice $invoice, array $entity) :array { - if (in_array('currency_id', $this->input['report_keys'])) { + if(in_array('currency_id', $this->input['report_keys'])) $entity['currency'] = $invoice->client->currency() ? $invoice->client->currency()->code : $invoice->company->currency()->code; - } - if (in_array('client_id', $this->input['report_keys'])) { + if(in_array('client_id', $this->input['report_keys'])) $entity['client'] = $invoice->client->present()->name(); - } - if (in_array('status_id', $this->input['report_keys'])) { + if(in_array('status_id', $this->input['report_keys'])) $entity['status'] = $invoice->stringStatus($invoice->status_id); - } return $entity; } + } diff --git a/app/Http/Controllers/MigrationController.php b/app/Http/Controllers/MigrationController.php index 00385a6aefad..6abb469f400a 100644 --- a/app/Http/Controllers/MigrationController.php +++ b/app/Http/Controllers/MigrationController.php @@ -182,6 +182,7 @@ class MigrationController extends BaseController $company->vendors()->forceDelete(); $company->expenses()->forceDelete(); $company->purchase_orders()->forceDelete(); + $company->all_activities()->forceDelete(); $settings = $company->settings; diff --git a/app/Jobs/Company/CompanyImport.php b/app/Jobs/Company/CompanyImport.php index 6ce29bbaaf24..2207fbbd6407 100644 --- a/app/Jobs/Company/CompanyImport.php +++ b/app/Jobs/Company/CompanyImport.php @@ -469,6 +469,7 @@ class CompanyImport implements ShouldQueue private function purgeCompanyData() { $this->company->clients()->forceDelete(); + $this->company->all_activities()->forceDelete(); $this->company->products()->forceDelete(); $this->company->projects()->forceDelete(); $this->company->tasks()->forceDelete(); diff --git a/app/Models/CompanyGateway.php b/app/Models/CompanyGateway.php index 1e51a72e8e72..68c5ef318d59 100644 --- a/app/Models/CompanyGateway.php +++ b/app/Models/CompanyGateway.php @@ -22,7 +22,7 @@ class CompanyGateway extends BaseModel { use SoftDeletes; use Filterable; - + public const GATEWAY_CREDIT = 10000000; protected $casts = [ @@ -54,12 +54,13 @@ class CompanyGateway extends BaseModel ]; public static $credit_cards = [ - 1 => ['card' => 'images/credit_cards/Test-Visa-Icon.png', 'text' => 'Visa'], - 2 => ['card' => 'images/credit_cards/Test-MasterCard-Icon.png', 'text' => 'Master Card'], - 4 => ['card' => 'images/credit_cards/Test-AmericanExpress-Icon.png', 'text' => 'American Express'], - 8 => ['card' => 'images/credit_cards/Test-Diners-Icon.png', 'text' => 'Diners'], - 16 => ['card' => 'images/credit_cards/Test-Discover-Icon.png', 'text' => 'Discover'], - ]; + 1 => ['card' => 'images/credit_cards/Test-Visa-Icon.png', 'text' => 'Visa'], + 2 => ['card' => 'images/credit_cards/Test-MasterCard-Icon.png', 'text' => 'Master Card'], + 4 => ['card' => 'images/credit_cards/Test-AmericanExpress-Icon.png', 'text' => 'American Express'], + 8 => ['card' => 'images/credit_cards/Test-Diners-Icon.png', 'text' => 'Diners'], + 16 => ['card' => 'images/credit_cards/Test-Discover-Icon.png', 'text' => 'Discover'], + ]; + // const TYPE_PAYPAL = 300; // const TYPE_STRIPE = 301; @@ -98,6 +99,7 @@ class CompanyGateway extends BaseModel public function system_logs() { + return $this->company ->system_log_relation ->where('type_id', $this->gateway_consts[$this->gateway->key]) @@ -129,11 +131,11 @@ class CompanyGateway extends BaseModel { $class = static::driver_class(); - if (! $class) { + if(!$class) return false; - } return new $class($this, $client); + } private function driver_class() @@ -141,10 +143,9 @@ class CompanyGateway extends BaseModel $class = 'App\\PaymentDrivers\\'.$this->gateway->provider.'PaymentDriver'; $class = str_replace('_', '', $class); - if (class_exists($class)) { + if (class_exists($class)) return $class; - } - + return false; // throw new \Exception("Payment Driver does not exist"); @@ -275,7 +276,7 @@ class CompanyGateway extends BaseModel public function getFeesAndLimits($gateway_type_id) { - if (is_null($this->fees_and_limits) || empty($this->fees_and_limits) || ! property_exists($this->fees_and_limits, $gateway_type_id)) { + if (is_null($this->fees_and_limits) || empty($this->fees_and_limits) || !property_exists($this->fees_and_limits, $gateway_type_id)) { return false; } @@ -300,27 +301,28 @@ class CompanyGateway extends BaseModel $fee = $this->calcGatewayFee($amount, $gateway_type_id); - // if ($fee > 0) { - // $fee = Number::formatMoney(round($fee, 2), $client); - // $label = ' - '.$fee.' '.ctrans('texts.fee'); - // } + if($fee > 0) { - if ($fee > 0) { $fees_and_limits = $this->fees_and_limits->{$gateway_type_id}; - if (strlen($fees_and_limits->fee_percent) >= 1) { - $label .= $fees_and_limits->fee_percent.'%'; - } + if(strlen($fees_and_limits->fee_percent) >=1) + $label .= $fees_and_limits->fee_percent . '%'; - if (strlen($fees_and_limits->fee_amount) >= 1) { - if (strlen($label) > 1) { - $label .= ' + '.Number::formatMoney($fees_and_limits->fee_amount, $client); - } else { + if(strlen($fees_and_limits->fee_amount) >=1){ + + if(strlen($label) > 1) { + + $label .= ' + ' . Number::formatMoney($fees_and_limits->fee_amount, $client); + + }else { $label .= Number::formatMoney($fees_and_limits->fee_amount, $client); } } + + } + return $label; } @@ -334,38 +336,45 @@ class CompanyGateway extends BaseModel $fee = 0; - if ($fees_and_limits->adjust_fee_percent) { - $adjusted_fee = 0; - if ($fees_and_limits->fee_amount) { - $adjusted_fee += $fees_and_limits->fee_amount + $amount; - } else { - $adjusted_fee = $amount; - } + if($fees_and_limits->adjust_fee_percent) + { + $adjusted_fee = 0; - if ($fees_and_limits->fee_percent) { - $divisor = 1 - ($fees_and_limits->fee_percent / 100); - - $gross_amount = round($adjusted_fee / $divisor, 2); - $fee = $gross_amount - $amount; - } - } else { - if ($fees_and_limits->fee_amount) { - $fee += $fees_and_limits->fee_amount; - } - - if ($fees_and_limits->fee_percent) { - if ($fees_and_limits->fee_percent == 100) { //unusual edge case if the user wishes to charge a fee of 100% 09/01/2022 - $fee += $amount; - } else { - $fee += round(($amount * $fees_and_limits->fee_percent / 100), 2); + if ($fees_and_limits->fee_amount) { + $adjusted_fee += $fees_and_limits->fee_amount + $amount; } - //elseif ($fees_and_limits->adjust_fee_percent) { + else + $adjusted_fee = $amount; + + if ($fees_and_limits->fee_percent) { + + $divisor = 1 - ($fees_and_limits->fee_percent/100); + + $gross_amount = round($adjusted_fee/$divisor,2); + $fee = $gross_amount - $amount; + + } + + } + else + { + if ($fees_and_limits->fee_amount) { + $fee += $fees_and_limits->fee_amount; + } + + if ($fees_and_limits->fee_percent) { + if($fees_and_limits->fee_percent == 100){ //unusual edge case if the user wishes to charge a fee of 100% 09/01/2022 + $fee += $amount; + } + else + $fee += round(($amount * $fees_and_limits->fee_percent / 100), 2); + //elseif ($fees_and_limits->adjust_fee_percent) { // $fee += round(($amount / (1 - $fees_and_limits->fee_percent / 100) - $amount), 2); //} else { - + //} - } + } } /* Cap fee if we have to here. */ if ($fees_and_limits->fee_cap > 0 && ($fee > $fees_and_limits->fee_cap)) { @@ -405,4 +414,6 @@ class CompanyGateway extends BaseModel return $this ->where('id', $this->decodePrimaryKey($value))->firstOrFail(); } + + } diff --git a/app/Repositories/TaskStatusRepository.php b/app/Repositories/TaskStatusRepository.php index da1c39f4c432..a4613b9bfe46 100644 --- a/app/Repositories/TaskStatusRepository.php +++ b/app/Repositories/TaskStatusRepository.php @@ -19,8 +19,9 @@ use App\Models\TaskStatus; */ class TaskStatusRepository extends BaseRepository { - public function delete($task_status) - { + + public function delete($task_status) + { $ts = TaskStatus::where('company_id', $task_status->company_id) ->first(); @@ -30,24 +31,30 @@ class TaskStatusRepository extends BaseRepository ->where('company_id', $task_status->company_id) ->update(['status_id' => $new_status]); + parent::delete($task_status); return $task_status; - } + + } - public function archive($task_status) - { - $task_status = TaskStatus::where('company_id', $task_status->company_id) + public function archive($task_status) + { + + $task_status = TaskStatus::where('id', $task_status->id) + ->where('company_id', $task_status->company_id) ->first(); $new_status = $task_status ? $task_status->id : null; - + Task::where('status_id', $task_status->id) ->where('company_id', $task_status->company_id) ->update(['status_id' => $new_status]); + parent::archive($task_status); return $task_status; - } + + } } diff --git a/app/Services/PdfMaker/Design.php b/app/Services/PdfMaker/Design.php index 838eb4f4daa9..b3b196d00de4 100644 --- a/app/Services/PdfMaker/Design.php +++ b/app/Services/PdfMaker/Design.php @@ -499,20 +499,6 @@ class Design extends BaseDesign $tbody = []; - // foreach ($this->payments as $payment) { - // foreach ($payment->invoices as $invoice) { - // $element = ['element' => 'tr', 'elements' => []]; - - // $element['elements'][] = ['element' => 'td', 'content' => $invoice->number]; - // $element['elements'][] = ['element' => 'td', 'content' => $this->translateDate($payment->date, $this->client->date_format(), $this->client->locale()) ?: ' ']; - // $element['elements'][] = ['element' => 'td', 'content' => $payment->type ? $payment->type->name : ctrans('texts.manual_entry')]; - // $element['elements'][] = ['element' => 'td', 'content' => Number::formatMoney($payment->amount, $this->client) ?: ' ']; - - // $tbody[] = $element; - // } - // } - - //24-03-2022 show payments per invoice foreach ($this->invoices as $invoice) { foreach ($invoice->payments as $payment) { @@ -816,7 +802,7 @@ class Design extends BaseDesign foreach ($taxes as $i => $tax) { $elements[1]['elements'][] = ['element' => 'div', 'elements' => [ ['element' => 'span', 'content', 'content' => $tax['name'], 'properties' => ['data-ref' => 'totals-table-total_tax_' . $i . '-label']], - ['element' => 'span', 'content', 'content' => Number::formatMoney($tax['total'], $this->client_or_vendor_entity), 'properties' => ['data-ref' => 'totals-table-total_tax_' . $i]], + ['element' => 'span', 'content', 'content' => Number::formatMoney($tax['total'], $this->entity instanceof \App\Models\PurchaseOrder ? $this->company : $this->client_or_vendor_entity), 'properties' => ['data-ref' => 'totals-table-total_tax_' . $i]], ]]; } } elseif ($variable == '$line_taxes') { @@ -829,13 +815,13 @@ class Design extends BaseDesign foreach ($taxes as $i => $tax) { $elements[1]['elements'][] = ['element' => 'div', 'elements' => [ ['element' => 'span', 'content', 'content' => $tax['name'], 'properties' => ['data-ref' => 'totals-table-line_tax_' . $i . '-label']], - ['element' => 'span', 'content', 'content' => Number::formatMoney($tax['total'], $this->client_or_vendor_entity), 'properties' => ['data-ref' => 'totals-table-line_tax_' . $i]], + ['element' => 'span', 'content', 'content' => Number::formatMoney($tax['total'], $this->entity instanceof \App\Models\PurchaseOrder ? $this->company : $this->client_or_vendor_entity), 'properties' => ['data-ref' => 'totals-table-line_tax_' . $i]], ]]; } } elseif (Str::startsWith($variable, '$custom_surcharge')) { $_variable = ltrim($variable, '$'); // $custom_surcharge1 -> custom_surcharge1 - $visible = (int)$this->entity->{$_variable} > 0 || (int)$this->entity->{$_variable} < 0 || !$this->entity->{$_variable}; + $visible = intval($this->entity->{$_variable}) != 0; $elements[1]['elements'][] = ['element' => 'div', 'elements' => [ ['element' => 'span', 'content' => $variable . '_label', 'properties' => ['hidden' => !$visible, 'data-ref' => 'totals_table-' . substr($variable, 1) . '-label']], diff --git a/app/Utils/HtmlEngine.php b/app/Utils/HtmlEngine.php index 4f4c19af17ca..234ce76eb929 100644 --- a/app/Utils/HtmlEngine.php +++ b/app/Utils/HtmlEngine.php @@ -109,6 +109,7 @@ class HtmlEngine $t->replace(Ninja::transformTranslations($this->settings)); $data = []; + //$data[''] = ['value' => '', 'label' => '']; $data['$global_margin'] = ['value' => '6.35mm', 'label' => '']; $data['$tax'] = ['value' => '', 'label' => ctrans('texts.tax')]; $data['$app_url'] = ['value' => $this->generateAppUrl(), 'label' => '']; @@ -541,8 +542,8 @@ class HtmlEngine $data['$payment_url'] = &$data['$payment_link']; $data['$portalButton'] = &$data['$paymentLink']; - $data['$dir'] = ['value' => optional($this->client->language())->locale === 'ar' ? 'rtl' : 'ltr', 'label' => '']; - $data['$dir_text_align'] = ['value' => optional($this->client->language())->locale === 'ar' ? 'right' : 'left', 'label' => '']; + $data['$dir'] = ['value' => in_array(optional($this->client->language())->locale, ['ar', 'he']) ? 'rtl' : 'ltr', 'label' => '']; + $data['$dir_text_align'] = ['value' => in_array(optional($this->client->language())->locale, ['ar', 'he']) ? 'right' : 'left', 'label' => '']; $data['$payment.date'] = ['value' => ' ', 'label' => ctrans('texts.payment_date')]; $data['$method'] = ['value' => ' ', 'label' => ctrans('texts.method')]; diff --git a/app/Utils/Number.php b/app/Utils/Number.php index e98a926ba5b5..2aa06e0f9748 100644 --- a/app/Utils/Number.php +++ b/app/Utils/Number.php @@ -13,6 +13,7 @@ namespace App\Utils; use App\Models\Company; use App\Models\Currency; +use App\Models\Vendor; /** * Class Number. @@ -119,6 +120,7 @@ class Number */ public static function formatMoney($value, $entity) :string { + $currency = $entity->currency(); $thousand = $currency->thousand_separator; diff --git a/app/Utils/VendorHtmlEngine.php b/app/Utils/VendorHtmlEngine.php index dfc40a533af6..797f8b392d60 100644 --- a/app/Utils/VendorHtmlEngine.php +++ b/app/Utils/VendorHtmlEngine.php @@ -391,8 +391,9 @@ class VendorHtmlEngine $data['$autoBill'] = ['value' => ctrans('texts.auto_bill_notification_placeholder'), 'label' => '']; $data['$auto_bill'] = &$data['$autoBill']; - $data['$dir'] = ['value' => optional($this->company->language())->locale === 'ar' ? 'rtl' : 'ltr', 'label' => '']; - $data['$dir_text_align'] = ['value' => optional($this->company->language())->locale === 'ar' ? 'right' : 'left', 'label' => '']; + $data['$dir'] = ['value' => in_array(optional($this->company->language())->locale, ['ar', 'he']) ? 'rtl' : 'ltr', 'label' => '']; + $data['$dir_text_align'] = ['value' => in_array(optional($this->company->language())->locale, ['ar', 'he']) ? 'right' : 'left', 'label' => '']; + $data['$payment.date'] = ['value' => ' ', 'label' => ctrans('texts.payment_date')]; $data['$method'] = ['value' => ' ', 'label' => ctrans('texts.method')]; diff --git a/database/migrations/2022_07_21_023805_add_hebrew_language.php b/database/migrations/2022_07_21_023805_add_hebrew_language.php new file mode 100644 index 000000000000..aa29ad54c727 --- /dev/null +++ b/database/migrations/2022_07_21_023805_add_hebrew_language.php @@ -0,0 +1,66 @@ + 33, 'name' => 'Serbian', 'locale' => 'sr']; + Language::create($serbian); + + } + + if(!Language::find(34)) { + + $slovak = ['id' => 34, 'name' => 'Slovak', 'locale' => 'sk']; + Language::create($slovak); + + } + + if(!Language::find(35)) { + + $estonia = ['id' => 35, 'name' => 'Estonian', 'locale' => 'et']; + Language::create($estonia); + + } + + if(!Language::find(36)) { + + $bulgarian = ['id' => 36, 'name' => 'Bulgarian', 'locale' => 'bg']; + Language::create($bulgarian); + + } + + if(!Language::find(37)) { + + $hebrew = ['id' => 37, 'name' => 'Hebrew', 'locale' => 'he']; + Language::create($hebrew); + + } + + } + + /** + * Reverse the migrations. + * + * @return void + */ + public function down() + { + // + } +} diff --git a/lang/en/texts.php b/lang/en/texts.php index 96d81d1d4b8a..334cfc7ad876 100644 --- a/lang/en/texts.php +++ b/lang/en/texts.php @@ -4716,6 +4716,8 @@ $LANG = array( 'archive_task_status' => 'Archive Task Status', 'delete_task_status' => 'Delete Task Status', 'restore_task_status' => 'Restore Task Status', + 'lang_Hebrew' => 'Hebrew', + ); return $LANG; diff --git a/resources/lang/he/auth.php b/resources/lang/he/auth.php new file mode 100644 index 000000000000..e5506df2907a --- /dev/null +++ b/resources/lang/he/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/he/help.php b/resources/lang/he/help.php new file mode 100644 index 000000000000..a2f04708161b --- /dev/null +++ b/resources/lang/he/help.php @@ -0,0 +1,13 @@ + 'Message to be displayed on clients dashboard', + 'client_currency' => 'The client currency.', + 'client_language' => 'The client language.', + 'client_payment_terms' => 'The client payment terms.', + 'client_paid_invoice' => 'Message to be displayed on a clients paid invoice screen', + 'client_unpaid_invoice' => 'Message to be displayed on a clients unpaid invoice screen', + 'client_unapproved_quote' => 'Message to be displayed on a clients unapproved quote screen', +]; + +return $lang; diff --git a/resources/lang/he/pagination.php b/resources/lang/he/pagination.php new file mode 100644 index 000000000000..2b9b38e09b49 --- /dev/null +++ b/resources/lang/he/pagination.php @@ -0,0 +1,19 @@ + '« Previous', + 'next' => 'Next »', + +]; diff --git a/resources/lang/he/passwords.php b/resources/lang/he/passwords.php new file mode 100644 index 000000000000..114cc03b88d0 --- /dev/null +++ b/resources/lang/he/passwords.php @@ -0,0 +1,23 @@ + 'Passwords must be at least six characters and match the confirmation.', + 'reset' => 'Your password has been reset!', + 'sent' => 'We have e-mailed your password reset link!', + 'token' => 'This password reset token is invalid.', + 'user' => "We can't find a user with that e-mail address.", + 'throttled' => "You have requested password reset recently, please check your email.", + +]; diff --git a/resources/lang/he/texts.php b/resources/lang/he/texts.php new file mode 100644 index 000000000000..8010e304ba94 --- /dev/null +++ b/resources/lang/he/texts.php @@ -0,0 +1,4716 @@ + 'ארגון ', + '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' => 'סיכום ביניים', + 'net_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' => 'מרכז שליטה ', + 'dashboard_totals_in_all_currencies_help' => 'הערה : הוסף שם קישור "שם" כדי לראות סיכום כללי במטבע מקומי', + '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 .
דוגמאות של חשבוניות עם משתנים דינמיים
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' => 'אזור ניסוי', + 'support_forum' => 'טופס עזרה', + 'invoice_due_date' => 'תאריך לביצוע', + 'quote_due_date' => 'בתוקף עד', + 'valid_until' => 'בתוקף עד', + 'reset_terms' => 'אפס תנאים', + 'reset_footer' => 'אפס footer', + 'invoice_sent' => ':מספר חשבונית שנשלחו', + 'invoices_sent' => ':מספר חשבוניות שנשלחו', + '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' => 'הודעת תזכורת לדוא"ל', + 'quote_reminder_emails' => 'תזכורת להצעת מחיר לדוא"ל', + 'templates_and_reminders' => 'תבניות ותזכורות', + 'subject' => 'נושא', + 'body' => 'גוף', + 'first_reminder' => 'תזכורת ראשונה', + 'second_reminder' => 'תזכורת שניה', + 'third_reminder' => 'תזכורת שלישית', + 'num_days_reminder' => 'ימים אחרי תאריך התשלום', + 'reminder_subject' => 'תזכורת: חשבונית חשבונית מאת: חשבון', + 'reset' => 'אתחול', + 'invoice_not_found' => 'החשבונית המבוקשת לא נמצאה', + 'referral_program' => 'תכנית שותפים', + 'referral_code' => 'כתובת הפנייה ', + 'last_sent_on' => 'נשלח לאחרונה: תאריך', + 'page_expire' => 'תוקף הדף יפוג תכף: לחץ כאן להמשך השימוש בדף', + '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' => 'לא הצלחנו לשלוח את החשבונית: חשבונית אל :איש קשר', + 'notification_invoice_bounced_subject' => 'שליחת חשבונית נכשלה: חשבונית', + 'notification_quote_bounced' => 'לא הצלחנו לשלוח את הצעת המחיר: חשבונית אל :איש קשר', + 'notification_quote_bounced_subject' => 'שליחת הצעת המחיר נכשלה: חשבונית', + 'custom_invoice_link' => 'לינק מותאם אישית לחשבונית', + 'total_invoiced' => 'סה"כ חשבוניות נשלחו', + 'open_balance' => 'יתרת חוב', + 'verify_email' => 'אנא לחץ על הקישור בהודעת אימות החשבון שנשלחה לכתובת הדוא"ל שלך', + 'basic_settings' => 'הגדות בסיסיות', + 'pro' => 'Pro', + 'gateways' => 'מסופי אשראי', + 'next_send_on' => 'שלח את הבא: תאריך', + 'no_longer_running' => 'חשבונית זו אינה מתוכננת לפעול', + 'general_settings' => 'הגדרות כלליות', + 'customize' => 'התאם אישית', + 'oneclick_login_help' => 'קשר חשבון לכניסה ללא סיסמה', + 'referral_code_help' => 'Earn money by sharing our app 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' => 'For example, :example would be converted to :value', + 'see_options' => 'ראה אפשרויות', + 'invoice_counter' => 'מרכז החשבוניות', + 'quote_counter' => 'מרכז הצעות מחיר', + 'type' => 'סוג', + 'activity_1' => ':משתמש נוצר איש קשר :איש קשר', + 'activity_2' => ':משתמש נשלח לארכיון: שם משתמש', + 'activity_3' => ':משתמש נמחק שם משתמש :שם משתמש', + 'activity_4' => ':משתמש הנפיק חשבונית :חשבונית', + 'activity_5' => ':משתמש עדכן חשבונית :חשבונית', + 'activity_6' => ':משתמש שלח חשבונית בדוא"ל חשבונית עבור : לקוח אל :איש קשר', + 'activity_7' => 'איש קשר צפה בחשבונית :חשבונית עבור :לקוח', + 'activity_8' => ':user archived invoice :invoice', + 'activity_9' => ':חשבוניות שנמחקו על ידי משתמש :חשבוניות', + 'activity_10' => ':איש קשר הזין תשלום :תשלום עבור :payment_amount בחשבונית :חשבונית עבור :לקוח', + '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 for :client 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 for :client', + 'activity_30' => ':user created vendor :vendor', + 'activity_31' => ':user archived vendor :vendor', + 'activity_32' => ':user deleted vendor :vendor', + 'activity_33' => ':user restored vendor :vendor', + 'activity_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 created user :user', + 'activity_49' => ':user updated user :user', + 'activity_50' => ':user archived user :user', + 'activity_51' => ':user deleted user :user', + 'activity_52' => ':user restored user :user', + 'activity_53' => ':user marked sent :invoice', + 'activity_54' => ':user reopened ticket :ticket', + 'activity_55' => ':contact replied ticket :ticket', + 'activity_56' => ':user viewed ticket :ticket', + + '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' => 'Your logo is :size, for better PDF performance we suggest uploading an image file less than 200KB', + 'import_freshbooks' => 'יבא מ-FreshBooks', + 'import_data' => 'יבא נתונים', + 'source' => 'מקור', + 'csv' => 'CSV', + 'client_file' => 'קובץ לקוח', + 'invoice_file' => 'קובץ חשבונית', + 'task_file' => 'קובץ מס', + 'no_mapper' => 'אין מיפוי חוקי לקובץ', + 'invalid_csv_header' => 'כותרת עליונה במסמך CSV לא תקינה', + 'client_portal' => 'פורטל לקוחות', + 'admin' => 'Admin', + 'disabled' => 'השבת', + 'show_archived_users' => 'הצג משתמשים בארכיון', + 'notes' => 'הערות', + 'invoice_will_create' => 'תיווצר חשבונית', + 'invoices_will_create' => 'חשבוניות יווצרו', + 'failed_to_import' => 'ייבוא הרשומות הבאות נכשל, או שהן כבר קיימות או שחסרות שדות חובה.', + 'publishable_key' => 'Publishable Key', + 'secret_key' => 'Secret Key', + 'missing_publishable_key' => 'Set your Stripe publishable key for an improved checkout process', + 'email_design' => 'עיצוב דוא"ל', + 'due_by' => 'תאריך היעד :תאריך', + '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 your email.', + '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' => 'Purchase a white 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' => '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:
+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_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' => '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' => 'שקלים',
+ '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',
+ 'currency_south_korean_won' => 'South Korean Won',
+ 'currency_moroccan_dirham' => 'Moroccan Dirham',
+ 'currency_jamaican_dollar' => 'Jamaican Dollar',
+ 'currency_angolan_kwanza' => 'Angolan Kwanza',
+ 'currency_haitian_gourde' => 'Haitian Gourde',
+ 'currency_zambian_kwacha' => 'Zambian Kwacha',
+ 'currency_nepalese_rupee' => 'Nepalese Rupee',
+ 'currency_cfp_franc' => 'CFP Franc',
+ 'currency_mauritian_rupee' => 'Mauritian Rupee',
+ 'currency_cape_verdean_escudo' => 'Cape Verdean Escudo',
+ 'currency_kuwaiti_dinar' => 'Kuwaiti Dinar',
+ 'currency_algerian_dinar' => 'Algerian Dinar',
+ 'currency_macedonian_denar' => 'Macedonian Denar',
+ 'currency_fijian_dollar' => 'Fijian Dollar',
+ 'currency_bolivian_boliviano' => 'Bolivian Boliviano',
+ 'currency_albanian_lek' => 'Albanian Lek',
+ 'currency_serbian_dinar' => 'Serbian Dinar',
+ 'currency_lebanese_pound' => 'Lebanese Pound',
+ 'currency_armenian_dram' => 'Armenian Dram',
+ 'currency_azerbaijan_manat' => 'Azerbaijan Manat',
+ 'currency_bosnia_and_herzegovina_convertible_mark' => 'Bosnia and Herzegovina Convertible Mark',
+ 'currency_belarusian_ruble' => 'Belarusian Ruble',
+ 'currency_moldovan_leu' => 'Moldovan Leu',
+ 'currency_kazakhstani_tenge' => 'Kazakhstani Tenge',
+ 'currency_gibraltar_pound' => 'Gibraltar Pound',
+
+ 'currency_gambia_dalasi' => 'Gambia Dalasi',
+ 'currency_paraguayan_guarani' => 'Paraguayan Guarani',
+ 'currency_malawi_kwacha' => 'Malawi Kwacha',
+ 'currency_zimbabwean_dollar' => 'Zimbabwean Dollar',
+ 'currency_cambodian_riel' => 'Cambodian Riel',
+ 'currency_vanuatu_vatu' => 'Vanuatu Vatu',
+
+ 'currency_cuban_peso' => 'Cuban Peso',
+
+ 'review_app_help' => 'We hope you\'re enjoying using the app.: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' => 'חשבונית נוצרה',
+ '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' => 'חשבונית עודכנה',
+ 'subscription_event_9' => 'חשבונית נמחקה',
+ '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' => 'צור משימה',
+ 'subscription_event_19' => 'עדכן משימה',
+ 'subscription_event_20' => 'מחק משימה',
+ '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' => 'פרויקט חשבונית',
+ 'module_recurring_invoice' => 'חשבוניות מחזוריות',
+ 'module_credit' => 'Credits',
+ 'module_quote' => 'Quotes & Proposals',
+ 'module_task' => 'משימות ופרויקטים',
+ 'module_expense' => 'Expenses & Vendors',
+ 'module_ticket' => 'Tickets',
+ 'reminders' => 'Reminders',
+ 'send_client_reminders' => 'Send email reminders',
+ 'can_view_tasks' => 'משימות מוצגות בפורטל',
+ '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' => 'לא ניתן לשנות הגדרה זו לאחר יצירת חשבונית.',
+ 'inclusive_taxes_warning' => 'אזהרה: יהיה צורך לשמור מחדש חשבוניות קיימות',
+ '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' => 'הצג את חתימת הלקוח ב-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' => 'הסכום גדול מיתרת החשבונית, ייווצר זיכוי עם הסכום הנותר.',
+ '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' => 'טוען',
+ 'no_messages_found' => 'No messages found',
+ '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' => 'אוטומטית בדוא"ל חשבוניות חוזרות כאשר הן נוצרות.',
+ 'auto_archive_invoice' => 'Auto Archive',
+ 'auto_archive_invoice_help' => 'העבר חשבוניות לארכיון אוטומטית כשהן משולמות.',
+ 'auto_archive_quote' => 'Auto Archive',
+ 'auto_archive_quote_help' => 'Automatically archive quotes when they are converted.',
+ 'require_approve_quote' => 'Require approve quote',
+ 'require_approve_quote_help' => 'Require clients to approve quotes.',
+ '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' => 'גם כל הרשומות הקשורות (חשבוניות, משימות, הוצאות, מסמכים וכו\') יימחקו.',
+ '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' => 'הצג בפורטל',
+ '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' => 'שדות משימה',
+ 'project_field' => 'Project Field',
+ 'expense_field' => 'Expense Field',
+ 'vendor_field' => 'Vendor Field',
+ 'company_field' => 'Company Field',
+ 'invoice_field' => 'שדות חשבונית',
+ 'invoice_surcharge' => 'חשבונית חיובים נוספים',
+ 'custom_task_fields_help' => 'הוסף שדה בעת יצירת משימה',
+ 'custom_project_fields_help' => 'הוסף שדות ביצירת פרויקט',
+ 'custom_expense_fields_help' => 'הוסף שדות בעת יצירת הוצאות',
+ 'custom_vendor_fields_help' => 'הוסף שדות בעת יצירת ספק',
+ 'messages' => 'Messages',
+ 'unpaid_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' => 'סטטוס משימה עודכן בהצלחה',
+ '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',
+ 'gateway_fee_discount_description' => 'Gateway Fee Discount',
+ 'show_payments' => 'Show Payments',
+ 'show_aging' => 'הצג שוב',
+ 'reference' => 'Reference',
+ 'amount_paid' => 'Amount Paid',
+ 'send_notifications_for' => 'Send Notifications For',
+ 'all_invoices' => 'כל החשבוניות',
+ 'my_invoices' => 'החשבוניות שלי',
+ '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' => 'כתובת דוא"ל לא תקינה',
+ 'items' => 'Items',
+ 'partial_deposit' => 'Partial/Deposit',
+ 'add_item' => 'Add Item',
+ 'total_amount' => 'Total Amount',
+ 'pdf' => 'PDF',
+ 'invoice_status_id' => 'סטטוס חשבונית',
+ '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_a_quote_number' => 'Please enter a quote number',
+ 'clients_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' => 'חשבונית סומנה כנשלחה בהצלחה ',
+ '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' => 'תעשייה',
+ 'size' => 'Size',
+ 'net' => 'Net',
+ 'show_tasks' => 'הצג משימות',
+ 'email_reminders' => 'שלח דוא"ל תזכורות',
+ 'reminder1' => 'תזכורת ראשונה',
+ 'reminder2' => 'תזכורת שניה ',
+ 'reminder3' => 'תזכורת שלישית',
+ 'send' => 'Send',
+ 'auto_billing' => 'חיוב אוטומטי',
+ 'button' => 'Button',
+ 'more' => 'More',
+ 'edit_recurring_invoice' => 'ערוך חשבונית מחזורית',
+ 'edit_recurring_quote' => 'ערוך הצעת מחיר מחזורית',
+ 'quote_status' => 'Quote Status',
+ 'please_select_an_invoice' => 'אנא בחר חשבונית',
+ 'filtered_by' => 'Filtered by',
+ 'payment_status' => 'Payment Status',
+ 'payment_status_1' => 'ממתין',
+ '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' => 'ממתין לתגובה',
+ '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' => 'הגדרות כרטיס',
+ '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' => 'שם לא תקין (אותיות ומספרים ללא רווח',
+ 'local_part_help' => 'Customize the local part of your inbound support email, ie. YOUR_NAME@support.invoiceninja.com',
+ 'from_name_help' => 'מתוך שם הוא השולח המוכר אשר מוצג במקום כתובת המייל, כלומר מרכז התמיכה',
+ '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' => 'בחירת תבנית תשלח תגובה אוטומטית ללקוח/איש קשר כאשר נוצר כרטיס חדש',
+ 'update_ticket_template_id' => 'Updated ticket',
+ 'update_ticket_autoresponder_help' => 'בחירת תבנית תשלח תגובה אוטומטית ללקוח/איש קשר כאשר הכרטיס מעודכן',
+ 'close_ticket_template_id' => 'Closed ticket',
+ 'close_ticket_autoresponder_help' => 'בחירת תבנית תשלח תגובה אוטומטית ללקוח/איש קשר כאשר כרטיס נסגר',
+ 'default_priority' => 'Default priority',
+ 'alert_new_comment_id' => 'New comment',
+ 'alert_comment_ticket_help' => 'בחירת תבנית תשלח הודעה (לסוכן) עם הערה.',
+ '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' => 'מהי סיבת סגירת הכרטיס?',
+ 'reopen_reason' => 'סיבת פתיחת הכרטיס?',
+ '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_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',
+ 'show_product_notes' => 'Show product details',
+ 'show_product_notes_help' => 'Include the description and cost in the product dropdown',
+ 'important' => 'Important',
+ 'thank_you_for_using_our_app' => 'Thank you for using our app!',
+ 'if_you_like_it' => 'If you like it please',
+ 'to_rate_it' => 'to rate it.',
+ 'average' => 'Average',
+ 'unapproved' => 'Unapproved',
+ 'authenticate_to_change_setting' => 'Please authenticate to change this setting',
+ 'locked' => 'Locked',
+ 'authenticate' => 'Authenticate',
+ 'please_authenticate' => 'Please authenticate',
+ 'biometric_authentication' => 'Biometric Authentication',
+ 'auto_start_tasks' => 'התחל משימה אוטומטית',
+ 'budgeted' => 'Budgeted',
+ 'please_enter_a_name' => 'Please enter a name',
+ 'click_plus_to_add_time' => 'Click + to add time',
+ 'design' => 'Design',
+ 'password_is_too_short' => 'Password is too short',
+ 'failed_to_find_record' => 'Failed to find record',
+ 'valid_until_days' => 'Valid Until',
+ 'valid_until_days_help' => 'Automatically sets the Valid Until value on quotes to this many days in the future. Leave blank to disable.',
+ 'usually_pays_in_days' => 'Days',
+ 'requires_an_enterprise_plan' => 'Requires an enterprise plan',
+ 'take_picture' => 'Take Picture',
+ 'upload_file' => 'Upload File',
+ 'new_document' => 'New Document',
+ 'edit_document' => 'Edit Document',
+ 'uploaded_document' => 'Successfully uploaded document',
+ 'updated_document' => 'Successfully updated document',
+ 'archived_document' => 'Successfully archived document',
+ 'deleted_document' => 'Successfully deleted document',
+ 'restored_document' => 'Successfully restored document',
+ 'no_history' => 'No History',
+ 'expense_status_1' => 'Logged',
+ 'expense_status_2' => 'Pending',
+ 'expense_status_3' => 'חשבונית הופקה',
+ 'no_record_selected' => 'No record selected',
+ 'error_unsaved_changes' => 'Please save or cancel your changes',
+ 'thank_you_for_your_purchase' => 'Thank you for your purchase!',
+ 'redeem' => 'Redeem',
+ 'back' => 'Back',
+ 'past_purchases' => 'Past Purchases',
+ 'annual_subscription' => 'Annual Subscription',
+ 'pro_plan' => 'Pro Plan',
+ 'enterprise_plan' => 'Enterprise Plan',
+ 'count_users' => ':count users',
+ 'upgrade' => 'Upgrade',
+ 'please_enter_a_first_name' => 'Please enter a first name',
+ 'please_enter_a_last_name' => 'Please enter a last name',
+ 'please_agree_to_terms_and_privacy' => 'Please agree to the terms of service and privacy policy to create an account.',
+ 'i_agree_to_the' => 'I agree to the',
+ 'terms_of_service_link' => 'terms of service',
+ 'privacy_policy_link' => 'privacy policy',
+ 'view_website' => 'View Website',
+ 'create_account' => 'Create Account',
+ 'email_login' => 'Email Login',
+ 'late_fees' => 'Late Fees',
+ 'payment_number' => 'Payment Number',
+ 'before_due_date' => 'Before the due date',
+ 'after_due_date' => 'After the due date',
+ 'after_invoice_date' => 'לאחר תאריך החשבונית',
+ 'filtered_by_user' => 'Filtered by User',
+ 'created_user' => 'Successfully created user',
+ 'primary_font' => 'Primary Font',
+ 'secondary_font' => 'Secondary Font',
+ 'number_padding' => 'Number Padding',
+ 'general' => 'General',
+ 'surcharge_field' => 'Surcharge Field',
+ 'company_value' => 'Company Value',
+ 'credit_field' => 'Credit Field',
+ 'payment_field' => 'Payment Field',
+ 'group_field' => 'Group Field',
+ 'number_counter' => 'Number Counter',
+ 'number_pattern' => 'Number Pattern',
+ 'custom_javascript' => 'Custom JavaScript',
+ 'portal_mode' => 'Portal Mode',
+ 'attach_pdf' => 'Attach PDF',
+ 'attach_documents' => 'Attach Documents',
+ 'attach_ubl' => 'Attach UBL',
+ 'email_style' => 'Email Style',
+ 'processed' => 'Processed',
+ 'fee_amount' => 'Fee Amount',
+ 'fee_percent' => 'Fee Percent',
+ 'fee_cap' => 'Fee Cap',
+ 'limits_and_fees' => 'Limits/Fees',
+ 'credentials' => 'Credentials',
+ 'require_billing_address_help' => 'לחייב לקוחות לספק כתובת לשליחת חשבונית?',
+ 'require_shipping_address_help' => 'Require client to provide their shipping address',
+ 'deleted_tax_rate' => 'Successfully deleted tax rate',
+ 'restored_tax_rate' => 'Successfully restored tax rate',
+ 'provider' => 'Provider',
+ 'company_gateway' => 'Payment Gateway',
+ 'company_gateways' => 'Payment Gateways',
+ 'new_company_gateway' => 'New Gateway',
+ 'edit_company_gateway' => 'Edit Gateway',
+ 'created_company_gateway' => 'Successfully created gateway',
+ 'updated_company_gateway' => 'Successfully updated gateway',
+ 'archived_company_gateway' => 'Successfully archived gateway',
+ 'deleted_company_gateway' => 'Successfully deleted gateway',
+ 'restored_company_gateway' => 'Successfully restored gateway',
+ 'continue_editing' => 'Continue Editing',
+ 'default_value' => 'Default value',
+ 'currency_format' => 'Currency Format',
+ 'first_day_of_the_week' => 'First Day of the Week',
+ 'first_month_of_the_year' => 'First Month of the Year',
+ 'symbol' => 'Symbol',
+ 'ocde' => 'Code',
+ 'date_format' => 'Date Format',
+ 'datetime_format' => 'Datetime Format',
+ 'send_reminders' => 'Send Reminders',
+ 'timezone' => 'Timezone',
+ 'filtered_by_group' => 'Filtered by Group',
+ 'filtered_by_invoice' => 'נסן לפי חשבונית',
+ 'filtered_by_client' => 'Filtered by Client',
+ 'filtered_by_vendor' => 'Filtered by Vendor',
+ 'group_settings' => 'Group Settings',
+ 'groups' => 'Groups',
+ 'new_group' => 'New Group',
+ 'edit_group' => 'Edit Group',
+ 'created_group' => 'Successfully created group',
+ 'updated_group' => 'Successfully updated group',
+ 'archived_group' => 'Successfully archived group',
+ 'deleted_group' => 'Successfully deleted group',
+ 'restored_group' => 'Successfully restored group',
+ 'upload_logo' => 'Upload Logo',
+ 'uploaded_logo' => 'Successfully uploaded logo',
+ 'saved_settings' => 'Successfully saved settings',
+ 'device_settings' => 'Device Settings',
+ 'credit_cards_and_banks' => 'Credit Cards & Banks',
+ 'price' => 'Price',
+ 'email_sign_up' => 'Email Sign Up',
+ 'google_sign_up' => 'Google Sign Up',
+ 'sign_up_with_google' => 'Sign Up With Google',
+ 'long_press_multiselect' => 'Long-press Multiselect',
+ 'migrate_to_next_version' => 'Migrate to the next version of Invoice Ninja',
+ 'migrate_intro_text' => 'We\'ve been working on next version of Invoice Ninja. Click the button bellow to start the migration.',
+ 'start_the_migration' => 'Start the migration',
+ 'migration' => 'Migration',
+ 'welcome_to_the_new_version' => 'Welcome to the new version of Invoice Ninja',
+ 'next_step_data_download' => 'At the next step, we\'ll let you download your data for the migration.',
+ 'download_data' => 'Press button below to download the data.',
+ 'migration_import' => 'Awesome! Now you are ready to import your migration. Go to your new installation to import your data',
+ 'continue' => 'Continue',
+ 'company1' => 'Custom Company 1',
+ 'company2' => 'Custom Company 2',
+ 'company3' => 'Custom Company 3',
+ 'company4' => 'Custom Company 4',
+ 'product1' => 'Custom Product 1',
+ 'product2' => 'Custom Product 2',
+ 'product3' => 'Custom Product 3',
+ 'product4' => 'Custom Product 4',
+ 'client1' => 'Custom Client 1',
+ 'client2' => 'Custom Client 2',
+ 'client3' => 'Custom Client 3',
+ 'client4' => 'Custom Client 4',
+ 'contact1' => 'Custom Contact 1',
+ 'contact2' => 'Custom Contact 2',
+ 'contact3' => 'Custom Contact 3',
+ 'contact4' => 'Custom Contact 4',
+ 'task1' => 'משימה מותאמת אישית 1',
+ 'task2' => 'משימה מותאמת אישית 2',
+ 'task3' => 'משימה מותאמת אישית 3',
+ 'task4' => 'משימה מותאמת אישית 4',
+ 'project1' => 'Custom Project 1',
+ 'project2' => 'Custom Project 2',
+ 'project3' => 'Custom Project 3',
+ 'project4' => 'Custom Project 4',
+ 'expense1' => 'Custom Expense 1',
+ 'expense2' => 'Custom Expense 2',
+ 'expense3' => 'Custom Expense 3',
+ 'expense4' => 'Custom Expense 4',
+ 'vendor1' => 'Custom Vendor 1',
+ 'vendor2' => 'Custom Vendor 2',
+ 'vendor3' => 'Custom Vendor 3',
+ 'vendor4' => 'Custom Vendor 4',
+ 'invoice1' => 'חשבונית מותאמת אישית 1',
+ 'invoice2' => 'חשבונית מותאמת אישית 2',
+ 'invoice3' => 'חשבונית מותאמת אישית 3',
+ 'invoice4' => 'חשבונית מותאמת אישית 4',
+ 'payment1' => 'Custom Payment 1',
+ 'payment2' => 'Custom Payment 2',
+ 'payment3' => 'Custom Payment 3',
+ 'payment4' => 'Custom Payment 4',
+ 'surcharge1' => 'Custom Surcharge 1',
+ 'surcharge2' => 'Custom Surcharge 2',
+ 'surcharge3' => 'Custom Surcharge 3',
+ 'surcharge4' => 'Custom Surcharge 4',
+ 'group1' => 'Custom Group 1',
+ 'group2' => 'Custom Group 2',
+ 'group3' => 'Custom Group 3',
+ 'group4' => 'Custom Group 4',
+ 'number' => 'Number',
+ 'count' => 'Count',
+ 'is_active' => 'Is Active',
+ 'contact_last_login' => 'Contact Last Login',
+ 'contact_full_name' => 'Contact Full Name',
+ 'contact_custom_value1' => 'Contact Custom Value 1',
+ 'contact_custom_value2' => 'Contact Custom Value 2',
+ 'contact_custom_value3' => 'Contact Custom Value 3',
+ 'contact_custom_value4' => 'Contact Custom Value 4',
+ 'assigned_to_id' => 'Assigned To Id',
+ 'created_by_id' => 'Created By Id',
+ 'add_column' => 'Add Column',
+ 'edit_columns' => 'Edit Columns',
+ 'to_learn_about_gogle_fonts' => 'to learn about Google Fonts',
+ 'refund_date' => 'Refund Date',
+ 'multiselect' => 'Multiselect',
+ 'verify_password' => 'Verify Password',
+ 'applied' => 'Applied',
+ 'include_recent_errors' => 'Include recent errors from the logs',
+ 'your_message_has_been_received' => 'We have received your message and will try to respond promptly.',
+ 'show_product_details' => 'Show Product Details',
+ 'show_product_details_help' => 'Include the description and cost in the product dropdown',
+ 'pdf_min_requirements' => 'The PDF renderer requires :version',
+ 'adjust_fee_percent' => 'Adjust Fee Percent',
+ 'configure_settings' => 'Configure Settings',
+ 'about' => 'About',
+ 'credit_email' => 'Credit Email',
+ 'domain_url' => 'Domain URL',
+ 'password_is_too_easy' => 'Password must contain an upper case character and a number',
+ 'client_portal_tasks' => 'משימות פורטל לקוחות',
+ 'client_portal_dashboard' => 'מרכז שליטה ללקוח',
+ 'please_enter_a_value' => 'Please enter a value',
+ 'deleted_logo' => 'Successfully deleted logo',
+ 'generate_number' => 'Generate Number',
+ 'when_saved' => 'When Saved',
+ 'when_sent' => 'When Sent',
+ 'select_company' => 'Select Company',
+ 'float' => 'Float',
+ 'collapse' => 'Collapse',
+ 'show_or_hide' => 'Show/hide',
+ 'menu_sidebar' => 'Menu Sidebar',
+ 'history_sidebar' => 'History Sidebar',
+ 'tablet' => 'Tablet',
+ 'layout' => 'Layout',
+ 'module' => 'Module',
+ 'first_custom' => 'First Custom',
+ 'second_custom' => 'Second Custom',
+ 'third_custom' => 'Third Custom',
+ 'show_cost' => 'Show Cost',
+ 'show_cost_help' => 'Display a product cost field to track the markup/profit',
+ 'show_product_quantity' => 'Show Product Quantity',
+ 'show_product_quantity_help' => 'Display a product quantity field, otherwise default to one',
+ 'show_invoice_quantity' => 'הצג כמות בחשבונית',
+ 'show_invoice_quantity_help' => 'Display a line item quantity field, otherwise default to one',
+ 'default_quantity' => 'Default Quantity',
+ 'default_quantity_help' => 'Automatically set the line item quantity to one',
+ 'one_tax_rate' => 'One Tax Rate',
+ 'two_tax_rates' => 'Two Tax Rates',
+ 'three_tax_rates' => 'Three Tax Rates',
+ 'default_tax_rate' => 'Default Tax Rate',
+ 'invoice_tax' => 'חשבונית מס',
+ 'line_item_tax' => 'Line Item Tax',
+ 'inclusive_taxes' => 'Inclusive Taxes',
+ 'invoice_tax_rates' => 'שיעור המס בחשבונית',
+ 'item_tax_rates' => 'Item Tax Rates',
+ 'configure_rates' => 'Configure rates',
+ 'tax_settings_rates' => 'Tax Rates',
+ 'accent_color' => 'Accent Color',
+ 'comma_sparated_list' => 'Comma separated list',
+ 'single_line_text' => 'Single-line text',
+ 'multi_line_text' => 'Multi-line text',
+ 'dropdown' => 'Dropdown',
+ 'field_type' => 'Field Type',
+ 'recover_password_email_sent' => 'A password recovery email has been sent',
+ 'removed_user' => 'Successfully removed user',
+ 'freq_three_years' => 'Three Years',
+ 'military_time_help' => '24 Hour Display',
+ 'click_here_capital' => 'Click here',
+ 'marked_invoice_as_paid' => 'חשבונית סומנה כנשלחה בהצלחה',
+ 'marked_invoices_as_sent' => 'חשבוניות סומנו כנשלחה בהצלחה',
+ 'marked_invoices_as_paid' => 'חשבוניות סומנו כנשלחה בהצלחה',
+ 'activity_57' => 'שליחת חשבונית בדוא"ל נכשלה :invoice',
+ 'custom_value3' => 'Custom Value 3',
+ 'custom_value4' => 'Custom Value 4',
+ 'email_style_custom' => 'Custom Email Style',
+ 'custom_message_dashboard' => 'הודעה מותאמת אישית במרכז השליטה',
+ 'custom_message_unpaid_invoice' => 'הודעה מותאמת אישית לחשבונית שלא שולמה',
+ 'custom_message_paid_invoice' => 'הודעה מותאמת אישית לחשבונית שולמה',
+ 'custom_message_unapproved_quote' => 'Custom Unapproved Quote Message',
+ 'lock_sent_invoices' => 'נעל חשבוניות שלשלחו',
+ 'translations' => 'Translations',
+ 'task_number_pattern' => 'דפוס מספרי משימה',
+ 'task_number_counter' => 'מונה משימות',
+ 'expense_number_pattern' => 'Expense Number Pattern',
+ 'expense_number_counter' => 'Expense Number Counter',
+ 'vendor_number_pattern' => 'Vendor Number Pattern',
+ 'vendor_number_counter' => 'Vendor Number Counter',
+ 'ticket_number_pattern' => 'Ticket Number Pattern',
+ 'ticket_number_counter' => 'Ticket Number Counter',
+ 'payment_number_pattern' => 'Payment Number Pattern',
+ 'payment_number_counter' => 'Payment Number Counter',
+ 'invoice_number_pattern' => 'דפוס מספר חשבונית',
+ 'quote_number_pattern' => 'Quote Number Pattern',
+ 'client_number_pattern' => 'Credit Number Pattern',
+ 'client_number_counter' => 'Credit Number Counter',
+ 'credit_number_pattern' => 'Credit Number Pattern',
+ 'credit_number_counter' => 'Credit Number Counter',
+ 'reset_counter_date' => 'Reset Counter Date',
+ 'counter_padding' => 'Counter Padding',
+ 'shared_invoice_quote_counter' => 'אפס מונה חשבוניות הצעות מחיק',
+ 'default_tax_name_1' => 'Default Tax Name 1',
+ 'default_tax_rate_1' => 'Default Tax Rate 1',
+ 'default_tax_name_2' => 'Default Tax Name 2',
+ 'default_tax_rate_2' => 'Default Tax Rate 2',
+ 'default_tax_name_3' => 'Default Tax Name 3',
+ 'default_tax_rate_3' => 'Default Tax Rate 3',
+ 'email_subject_invoice' => 'שורת נושא בדוא"ל חשבונית',
+ 'email_subject_quote' => 'Email Quote Subject',
+ 'email_subject_payment' => 'Email Payment Subject',
+ 'switch_list_table' => 'Switch List Table',
+ 'client_city' => 'Client City',
+ 'client_state' => 'Client State',
+ 'client_country' => 'Client Country',
+ 'client_is_active' => 'Client is Active',
+ 'client_balance' => 'Client Balance',
+ 'client_address1' => 'Client Street',
+ 'client_address2' => 'Client Apt/Suite',
+ 'client_shipping_address1' => 'Client Shipping Street',
+ 'client_shipping_address2' => 'Client Shipping Apt/Suite',
+ 'tax_rate1' => 'Tax Rate 1',
+ 'tax_rate2' => 'Tax Rate 2',
+ 'tax_rate3' => 'Tax Rate 3',
+ 'archived_at' => 'Archived At',
+ 'has_expenses' => 'Has Expenses',
+ 'custom_taxes1' => 'Custom Taxes 1',
+ 'custom_taxes2' => 'Custom Taxes 2',
+ 'custom_taxes3' => 'Custom Taxes 3',
+ 'custom_taxes4' => 'Custom Taxes 4',
+ 'custom_surcharge1' => 'Custom Surcharge 1',
+ 'custom_surcharge2' => 'Custom Surcharge 2',
+ 'custom_surcharge3' => 'Custom Surcharge 3',
+ 'custom_surcharge4' => 'Custom Surcharge 4',
+ 'is_deleted' => 'Is Deleted',
+ 'vendor_city' => 'Vendor City',
+ 'vendor_state' => 'Vendor State',
+ 'vendor_country' => 'Vendor Country',
+ 'credit_footer' => 'Credit Footer',
+ 'credit_terms' => 'Credit Terms',
+ 'untitled_company' => 'Untitled Company',
+ 'added_company' => 'Successfully added company',
+ 'supported_events' => 'Supported Events',
+ 'custom3' => 'Third Custom',
+ 'custom4' => 'Fourth Custom',
+ 'optional' => 'Optional',
+ 'license' => 'License',
+ 'invoice_balance' => 'יתרת חשבונית',
+ 'saved_design' => 'Successfully saved design',
+ 'client_details' => 'Client Details',
+ 'company_address' => 'Company Address',
+ 'quote_details' => 'Quote Details',
+ 'credit_details' => 'Credit Details',
+ 'product_columns' => 'Product Columns',
+ 'task_columns' => 'שורות משימה',
+ 'add_field' => 'Add Field',
+ 'all_events' => 'All Events',
+ 'owned' => 'Owned',
+ 'payment_success' => 'Payment Success',
+ 'payment_failure' => 'Payment Failure',
+ 'quote_sent' => 'Quote Sent',
+ 'credit_sent' => 'Credit Sent',
+ 'invoice_viewed' => 'חשבונית נצפתה',
+ 'quote_viewed' => 'Quote Viewed',
+ 'credit_viewed' => 'Credit Viewed',
+ 'quote_approved' => 'Quote Approved',
+ 'receive_all_notifications' => 'Receive All Notifications',
+ 'purchase_license' => 'Purchase License',
+ 'enable_modules' => 'Enable Modules',
+ 'converted_quote' => 'Successfully converted quote',
+ 'credit_design' => 'Credit Design',
+ 'includes' => 'Includes',
+ 'css_framework' => 'CSS Framework',
+ 'custom_designs' => 'Custom Designs',
+ 'designs' => 'Designs',
+ 'new_design' => 'New Design',
+ 'edit_design' => 'Edit Design',
+ 'created_design' => 'Successfully created design',
+ 'updated_design' => 'Successfully updated design',
+ 'archived_design' => 'Successfully archived design',
+ 'deleted_design' => 'Successfully deleted design',
+ 'removed_design' => 'Successfully removed design',
+ 'restored_design' => 'Successfully restored design',
+ 'recurring_tasks' => 'משימה מחזורית',
+ 'removed_credit' => 'Successfully removed credit',
+ 'latest_version' => 'Latest Version',
+ 'update_now' => 'Update Now',
+ 'a_new_version_is_available' => 'A new version of the web app is available',
+ 'update_available' => 'Update Available',
+ 'app_updated' => 'Update successfully completed',
+ 'integrations' => 'Integrations',
+ 'tracking_id' => 'Tracking Id',
+ 'slack_webhook_url' => 'Slack Webhook URL',
+ 'partial_payment' => 'Partial Payment',
+ 'partial_payment_email' => 'Partial Payment Email',
+ 'clone_to_credit' => 'Clone to Credit',
+ 'emailed_credit' => 'Successfully emailed credit',
+ 'marked_credit_as_sent' => 'Successfully marked credit as sent',
+ 'email_subject_payment_partial' => 'Email Partial Payment Subject',
+ 'is_approved' => 'Is Approved',
+ 'migration_went_wrong' => 'Oops, something went wrong! Please make sure you have setup an Invoice Ninja v5 instance before starting the migration.',
+ 'cross_migration_message' => 'Cross account migration is not allowed. Please read more about it here: https://invoiceninja.github.io/docs/migration/#troubleshooting',
+ 'email_credit' => 'Email Credit',
+ 'client_email_not_set' => 'Client does not have an email address set',
+ 'ledger' => 'Ledger',
+ 'view_pdf' => 'View PDF',
+ 'all_records' => 'All records',
+ 'owned_by_user' => 'Owned by user',
+ 'credit_remaining' => 'Credit Remaining',
+ 'use_default' => 'Use default',
+ 'reminder_endless' => 'Endless Reminders',
+ 'number_of_days' => 'Number of days',
+ 'configure_payment_terms' => 'Configure Payment Terms',
+ 'payment_term' => 'Payment Term',
+ 'new_payment_term' => 'New Payment Term',
+ 'deleted_payment_term' => 'Successfully deleted payment term',
+ 'removed_payment_term' => 'Successfully removed payment term',
+ 'restored_payment_term' => 'Successfully restored payment term',
+ 'full_width_editor' => 'Full Width Editor',
+ 'full_height_filter' => 'Full Height Filter',
+ 'email_sign_in' => 'Sign in with email',
+ 'change' => 'Change',
+ 'change_to_mobile_layout' => 'Change to the mobile layout?',
+ 'change_to_desktop_layout' => 'Change to the desktop layout?',
+ 'send_from_gmail' => 'Send from Gmail',
+ 'reversed' => 'Reversed',
+ 'cancelled' => 'Cancelled',
+ 'quote_amount' => 'Quote Amount',
+ 'hosted' => 'Hosted',
+ 'selfhosted' => 'Self-Hosted',
+ 'hide_menu' => 'Hide Menu',
+ 'show_menu' => 'Show Menu',
+ 'partially_refunded' => 'Partially Refunded',
+ 'search_documents' => 'Search Documents',
+ 'search_designs' => 'Search Designs',
+ 'search_invoices' => 'חפש חשבוניות',
+ 'search_clients' => 'Search Clients',
+ 'search_products' => 'Search Products',
+ 'search_quotes' => 'Search Quotes',
+ 'search_credits' => 'Search Credits',
+ 'search_vendors' => 'Search Vendors',
+ 'search_users' => 'Search Users',
+ 'search_tax_rates' => 'Search Tax Rates',
+ 'search_tasks' => 'חפש משימות',
+ 'search_settings' => 'Search Settings',
+ 'search_projects' => 'Search Projects',
+ 'search_expenses' => 'Search Expenses',
+ 'search_payments' => 'Search Payments',
+ 'search_groups' => 'Search Groups',
+ 'search_company' => 'Search Company',
+ 'cancelled_invoice' => 'חשבונית בוטלה בהצלחה',
+ 'cancelled_invoices' => 'חשבוניות בוטלו בהצלחה',
+ 'reversed_invoice' => 'חשבונית שוחזרה בהצלחה',
+ 'reversed_invoices' => 'חשבוניות שוחזרו בהצלחה',
+ 'reverse' => 'Reverse',
+ 'filtered_by_project' => 'Filtered by Project',
+ 'google_sign_in' => 'Sign in with Google',
+ 'activity_58' => ':user שחזר חשבונית :invoice',
+ 'activity_59' => ':user ביטל חשבונית :invoice',
+ 'payment_reconciliation_failure' => 'Reconciliation Failure',
+ 'payment_reconciliation_success' => 'Reconciliation Success',
+ 'gateway_success' => 'Gateway Success',
+ 'gateway_failure' => 'Gateway Failure',
+ 'gateway_error' => 'Gateway Error',
+ 'email_send' => 'Email Send',
+ 'email_retry_queue' => 'Email Retry Queue',
+ 'failure' => 'Failure',
+ 'quota_exceeded' => 'Quota Exceeded',
+ 'upstream_failure' => 'Upstream Failure',
+ 'system_logs' => 'System Logs',
+ 'copy_link' => 'Copy Link',
+ 'welcome_to_invoice_ninja' => 'Welcome to Invoice Ninja',
+ 'optin' => 'Opt-In',
+ 'optout' => 'Opt-Out',
+ 'auto_convert' => 'Auto Convert',
+ 'reminder1_sent' => 'Reminder 1 Sent',
+ 'reminder2_sent' => 'Reminder 2 Sent',
+ 'reminder3_sent' => 'Reminder 3 Sent',
+ 'reminder_last_sent' => 'Reminder Last Sent',
+ 'pdf_page_info' => 'Page :current of :total',
+ 'emailed_credits' => 'Successfully emailed credits',
+ 'view_in_stripe' => 'View in Stripe',
+ 'rows_per_page' => 'Rows Per Page',
+ 'apply_payment' => 'Apply Payment',
+ 'unapplied' => 'Unapplied',
+ 'custom_labels' => 'Custom Labels',
+ 'record_type' => 'Record Type',
+ 'record_name' => 'Record Name',
+ 'file_type' => 'File Type',
+ 'height' => 'Height',
+ 'width' => 'Width',
+ 'health_check' => 'Health Check',
+ 'last_login_at' => 'Last Login At',
+ 'company_key' => 'Company Key',
+ 'storefront' => 'Storefront',
+ 'storefront_help' => 'אפשר ליישומי צד שלישי ליצור חשבוניות',
+ 'count_records_selected' => ':count records selected',
+ 'count_record_selected' => ':count record selected',
+ 'client_created' => 'Client Created',
+ 'online_payment_email' => 'Online Payment Email',
+ 'manual_payment_email' => 'Manual Payment Email',
+ 'completed' => 'Completed',
+ 'gross' => 'Gross',
+ 'net_amount' => 'Net Amount',
+ 'net_balance' => 'Net Balance',
+ 'client_settings' => 'Client Settings',
+ 'selected_invoices' => 'חשבוניות נבחרות',
+ 'selected_payments' => 'Selected Payments',
+ 'selected_quotes' => 'Selected Quotes',
+ 'selected_tasks' => 'משימות שנבחרו',
+ 'selected_expenses' => 'Selected Expenses',
+ 'past_due_invoices' => 'חשבוניות שעברו את מועד התשלום',
+ 'create_payment' => 'Create Payment',
+ 'update_quote' => 'Update Quote',
+ 'update_invoice' => 'עדכן חשבוניות',
+ 'update_client' => 'Update Client',
+ 'update_vendor' => 'Update Vendor',
+ 'create_expense' => 'Create Expense',
+ 'update_expense' => 'Update Expense',
+ 'update_task' => 'עדכן משימה',
+ 'approve_quote' => 'Approve Quote',
+ 'when_paid' => 'When Paid',
+ 'expires_on' => 'Expires On',
+ 'show_sidebar' => 'Show Sidebar',
+ 'hide_sidebar' => 'Hide Sidebar',
+ 'event_type' => 'Event Type',
+ 'copy' => 'Copy',
+ 'must_be_online' => 'Please restart the app once connected to the internet',
+ 'crons_not_enabled' => 'The crons need to be enabled',
+ 'api_webhooks' => 'API Webhooks',
+ 'search_webhooks' => 'Search :count Webhooks',
+ 'search_webhook' => 'Search 1 Webhook',
+ 'webhook' => 'Webhook',
+ 'webhooks' => 'Webhooks',
+ 'new_webhook' => 'New Webhook',
+ 'edit_webhook' => 'Edit Webhook',
+ 'created_webhook' => 'Successfully created webhook',
+ 'updated_webhook' => 'Successfully updated webhook',
+ 'archived_webhook' => 'Successfully archived webhook',
+ 'deleted_webhook' => 'Successfully deleted webhook',
+ 'removed_webhook' => 'Successfully removed webhook',
+ 'restored_webhook' => 'Successfully restored webhook',
+ 'search_tokens' => 'Search :count Tokens',
+ 'search_token' => 'Search 1 Token',
+ 'new_token' => 'New Token',
+ 'removed_token' => 'Successfully removed token',
+ 'restored_token' => 'Successfully restored token',
+ 'client_registration' => 'Client Registration',
+ 'client_registration_help' => 'Enable clients to self register in the portal',
+ 'customize_and_preview' => 'Customize & Preview',
+ 'search_document' => 'Search 1 Document',
+ 'search_design' => 'Search 1 Design',
+ 'search_invoice' => 'חפש חשבונית 1',
+ 'search_client' => 'Search 1 Client',
+ 'search_product' => 'Search 1 Product',
+ 'search_quote' => 'Search 1 Quote',
+ 'search_credit' => 'Search 1 Credit',
+ 'search_vendor' => 'Search 1 Vendor',
+ 'search_user' => 'Search 1 User',
+ 'search_tax_rate' => 'Search 1 Tax Rate',
+ 'search_task' => 'חפש 1 משימות',
+ 'search_project' => 'Search 1 Project',
+ 'search_expense' => 'Search 1 Expense',
+ 'search_payment' => 'Search 1 Payment',
+ 'search_group' => 'Search 1 Group',
+ 'created_on' => 'Created On',
+ 'payment_status_-1' => 'Unapplied',
+ 'lock_invoices' => 'נעל חשבוניות',
+ 'show_table' => 'Show Table',
+ 'show_list' => 'Show List',
+ 'view_changes' => 'View Changes',
+ 'force_update' => 'Force Update',
+ 'force_update_help' => 'You are running the latest version but there may be pending fixes available.',
+ 'mark_paid_help' => 'Track the expense has been paid',
+ 'mark_invoiceable_help' => 'אפשר להוצאות להישלח בחשבונית',
+ 'add_documents_to_invoice_help' => 'Make the documents visible',
+ 'convert_currency_help' => 'Set an exchange rate',
+ 'expense_settings' => 'Expense Settings',
+ 'clone_to_recurring' => 'Clone to Recurring',
+ 'crypto' => 'Crypto',
+ 'user_field' => 'User Field',
+ 'variables' => 'Variables',
+ 'show_password' => 'Show Password',
+ 'hide_password' => 'Hide Password',
+ 'copy_error' => 'Copy Error',
+ 'capture_card' => 'Capture Card',
+ 'auto_bill_enabled' => 'Auto Bill Enabled',
+ 'total_taxes' => 'Total Taxes',
+ 'line_taxes' => 'Line Taxes',
+ 'total_fields' => 'Total Fields',
+ 'stopped_recurring_invoice' => 'חשבונית מחזורית הופסקה בהצלחה',
+ 'started_recurring_invoice' => 'חשבונית מחזורית התחילה בהצלחה',
+ 'resumed_recurring_invoice' => 'חשבונית מחזורית הוחזרה בהצלחה',
+ 'gateway_refund' => 'Gateway Refund',
+ 'gateway_refund_help' => 'Process the refund with the payment gateway',
+ 'due_date_days' => 'Due Date',
+ 'paused' => 'Paused',
+ 'day_count' => 'Day :count',
+ 'first_day_of_the_month' => 'First Day of the Month',
+ 'last_day_of_the_month' => 'Last Day of the Month',
+ 'use_payment_terms' => 'Use Payment Terms',
+ 'endless' => 'Endless',
+ 'next_send_date' => 'Next Send Date',
+ 'remaining_cycles' => 'Remaining Cycles',
+ 'created_recurring_invoice' => 'חשבונית מחזורית נוצרה בהצלחה',
+ 'updated_recurring_invoice' => 'חשבונית מחזורית עודכנה בהצלחה',
+ 'removed_recurring_invoice' => 'חשבונית מחזורית הוסרה בהצלחה',
+ 'search_recurring_invoice' => 'חפש חשבונית מחזורית 1',
+ 'search_recurring_invoices' => 'Search :count Recurring Invoices',
+ 'send_date' => 'Send Date',
+ 'auto_bill_on' => 'Auto Bill On',
+ 'minimum_under_payment_amount' => 'Minimum Under Payment Amount',
+ 'allow_over_payment' => 'Allow Over Payment',
+ 'allow_over_payment_help' => 'Support paying extra to accept tips',
+ 'allow_under_payment' => 'Allow Under Payment',
+ 'allow_under_payment_help' => 'Support paying at minimum the partial/deposit amount',
+ 'test_mode' => 'Test Mode',
+ 'calculated_rate' => 'Calculated Rate',
+ 'default_task_rate' => 'שיעור ברירת מחדל למשימות',
+ 'clear_cache' => 'Clear Cache',
+ 'sort_order' => 'Sort Order',
+ 'task_status' => 'Status',
+ 'task_statuses' => 'סטטוסי משימה',
+ 'new_task_status' => 'סטטוס משימה חדש',
+ 'edit_task_status' => 'ערוך סטטוס משימה',
+ 'created_task_status' => 'סטטוס משימה נוצר בהצלחה',
+ 'archived_task_status' => 'סטטוס משימה נשלח לארכיון בהצלחה',
+ 'deleted_task_status' => 'סטטוס משימה נמחק בהצלחה',
+ 'removed_task_status' => 'סטטוס משימה הוסר בהצלחה',
+ 'restored_task_status' => 'סטטוס משימה שוחזר בהצלחה',
+ 'search_task_status' => 'חפש סטטוס משימה 1',
+ 'search_task_statuses' => 'חפש :count סטטוסי משימות',
+ 'show_tasks_table' => 'הצג טבלת משימות',
+ 'show_tasks_table_help' => 'הצג תמיד את מקטע המשימות בעת יצירת חשבוניות',
+ 'invoice_task_timelog' => 'יומן זמן משימות חשבונית',
+ 'invoice_task_timelog_help' => 'הוסף פרטי שעה לפרטי השדות בחשבונית',
+ 'auto_start_tasks_help' => 'התחל משימה לפני השמירה',
+ 'configure_statuses' => 'Configure Statuses',
+ 'task_settings' => 'הגדרות משימה',
+ 'configure_categories' => 'Configure Categories',
+ 'edit_expense_category' => 'Edit Expense Category',
+ 'removed_expense_category' => 'Successfully removed expense category',
+ 'search_expense_category' => 'Search 1 Expense Category',
+ 'search_expense_categories' => 'Search :count Expense Categories',
+ 'use_available_credits' => 'Use Available Credits',
+ 'show_option' => 'Show Option',
+ 'negative_payment_error' => 'The credit amount cannot exceed the payment amount',
+ 'should_be_invoiced_help' => 'אפשר להוצאות להישלח בחשבוניות',
+ 'configure_gateways' => 'Configure Gateways',
+ 'payment_partial' => 'Partial Payment',
+ 'is_running' => 'Is Running',
+ 'invoice_currency_id' => 'מספר מטבע בחשבונית',
+ 'tax_name1' => 'Tax Name 1',
+ 'tax_name2' => 'Tax Name 2',
+ 'transaction_id' => 'Transaction ID',
+ 'invoice_late' => 'חשבונית באיחור ',
+ 'quote_expired' => 'Quote Expired',
+ 'recurring_invoice_total' => 'סה"כ בחשבונית',
+ 'actions' => 'Actions',
+ 'expense_number' => 'Expense Number',
+ 'task_number' => 'מספר משימה',
+ 'project_number' => 'Project Number',
+ 'view_settings' => 'View Settings',
+ 'company_disabled_warning' => 'Warning: this company has not yet been activated',
+ 'late_invoice' => 'חשבונית מאוחרת ',
+ 'expired_quote' => 'Expired Quote',
+ 'remind_invoice' => 'תזכור חשבונית',
+ 'client_phone' => 'Client Phone',
+ 'required_fields' => 'Required Fields',
+ 'enabled_modules' => 'Enabled Modules',
+ 'activity_60' => ':contact viewed quote :quote',
+ 'activity_61' => ':user updated client :client',
+ 'activity_62' => ':user updated vendor :vendor',
+ 'activity_63' => ':user emailed first reminder for invoice :invoice to :contact',
+ 'activity_64' => ':user emailed second reminder for invoice :invoice to :contact',
+ 'activity_65' => ':user emailed third reminder for invoice :invoice to :contact',
+ 'activity_66' => ':user emailed endless reminder for invoice :invoice to :contact',
+ 'expense_category_id' => 'Expense Category ID',
+ 'view_licenses' => 'View Licenses',
+ 'fullscreen_editor' => 'Fullscreen Editor',
+ 'sidebar_editor' => 'Sidebar Editor',
+ 'please_type_to_confirm' => 'Please type ":value" to confirm',
+ 'purge' => 'Purge',
+ 'clone_to' => 'Clone To',
+ 'clone_to_other' => 'Clone to Other',
+ 'labels' => 'Labels',
+ 'add_custom' => 'Add Custom',
+ 'payment_tax' => 'Payment Tax',
+ 'white_label' => 'White Label',
+ 'sent_invoices_are_locked' => 'חשבוניות שלשלחו נעולות',
+ 'paid_invoices_are_locked' => 'חשבוניות ששולמו נעולות',
+ 'source_code' => 'Source Code',
+ 'app_platforms' => 'App Platforms',
+ 'archived_task_statuses' => 'Successfully archived :value task statuses',
+ 'deleted_task_statuses' => 'Successfully deleted :value task statuses',
+ 'restored_task_statuses' => 'Successfully restored :value task statuses',
+ 'deleted_expense_categories' => 'Successfully deleted expense :value categories',
+ 'restored_expense_categories' => 'Successfully restored expense :value categories',
+ 'archived_recurring_invoices' => 'חשבוניות מחזוריות נשלחו לארכיון בהצלחה :value invoices',
+ 'deleted_recurring_invoices' => 'חשבוניות מחזוריות נמחקו בהצלחה :value invoices',
+ 'restored_recurring_invoices' => 'חשבוניות מחזוריות שוחזרו בהצלחה :value invoices',
+ 'archived_webhooks' => 'Successfully archived :value webhooks',
+ 'deleted_webhooks' => 'Successfully deleted :value webhooks',
+ 'removed_webhooks' => 'Successfully removed :value webhooks',
+ 'restored_webhooks' => 'Successfully restored :value webhooks',
+ 'api_docs' => 'API Docs',
+ 'archived_tokens' => 'Successfully archived :value tokens',
+ 'deleted_tokens' => 'Successfully deleted :value tokens',
+ 'restored_tokens' => 'Successfully restored :value tokens',
+ 'archived_payment_terms' => 'Successfully archived :value payment terms',
+ 'deleted_payment_terms' => 'Successfully deleted :value payment terms',
+ 'restored_payment_terms' => 'Successfully restored :value payment terms',
+ 'archived_designs' => 'Successfully archived :value designs',
+ 'deleted_designs' => 'Successfully deleted :value designs',
+ 'restored_designs' => 'Successfully restored :value designs',
+ 'restored_credits' => 'Successfully restored :value credits',
+ 'archived_users' => 'Successfully archived :value users',
+ 'deleted_users' => 'Successfully deleted :value users',
+ 'removed_users' => 'Successfully removed :value users',
+ 'restored_users' => 'Successfully restored :value users',
+ 'archived_tax_rates' => 'Successfully archived :value tax rates',
+ 'deleted_tax_rates' => 'Successfully deleted :value tax rates',
+ 'restored_tax_rates' => 'Successfully restored :value tax rates',
+ 'archived_company_gateways' => 'Successfully archived :value gateways',
+ 'deleted_company_gateways' => 'Successfully deleted :value gateways',
+ 'restored_company_gateways' => 'Successfully restored :value gateways',
+ 'archived_groups' => 'Successfully archived :value groups',
+ 'deleted_groups' => 'Successfully deleted :value groups',
+ 'restored_groups' => 'Successfully restored :value groups',
+ 'archived_documents' => 'Successfully archived :value documents',
+ 'deleted_documents' => 'Successfully deleted :value documents',
+ 'restored_documents' => 'Successfully restored :value documents',
+ 'restored_vendors' => 'Successfully restored :value vendors',
+ 'restored_expenses' => 'Successfully restored :value expenses',
+ 'restored_tasks' => 'Successfully restored :value tasks',
+ 'restored_projects' => 'Successfully restored :value projects',
+ 'restored_products' => 'Successfully restored :value products',
+ 'restored_clients' => 'Successfully restored :value clients',
+ 'restored_invoices' => 'שוחזר בהצלחה :value invoices',
+ 'restored_payments' => 'Successfully restored :value payments',
+ 'restored_quotes' => 'Successfully restored :value quotes',
+ 'update_app' => 'Update App',
+ 'started_import' => 'Successfully started import',
+ 'duplicate_column_mapping' => 'Duplicate column mapping',
+ 'uses_inclusive_taxes' => 'Uses Inclusive Taxes',
+ 'is_amount_discount' => 'Is Amount Discount',
+ 'map_to' => 'Map To',
+ 'first_row_as_column_names' => 'Use first row as column names',
+ 'no_file_selected' => 'No File Selected',
+ 'import_type' => 'Import Type',
+ 'draft_mode' => 'Draft Mode',
+ 'draft_mode_help' => 'Preview updates faster but is less accurate',
+ 'show_product_discount' => 'Show Product Discount',
+ 'show_product_discount_help' => 'Display a line item discount field',
+ 'tax_name3' => 'Tax Name 3',
+ 'debug_mode_is_enabled' => 'Debug mode is enabled',
+ 'debug_mode_is_enabled_help' => 'Warning: it is intended for use on local machines, it can leak credentials. Click to learn more.',
+ 'running_tasks' => 'משימות פעילות',
+ 'recent_tasks' => 'משימות אחרונות',
+ 'recent_expenses' => 'Recent Expenses',
+ 'upcoming_expenses' => 'Upcoming Expenses',
+ 'search_payment_term' => 'Search 1 Payment Term',
+ 'search_payment_terms' => 'Search :count Payment Terms',
+ 'save_and_preview' => 'Save and Preview',
+ 'save_and_email' => 'Save and Email',
+ 'converted_balance' => 'Converted Balance',
+ 'is_sent' => 'Is Sent',
+ 'document_upload' => 'Document Upload',
+ 'document_upload_help' => 'Enable clients to upload documents',
+ 'expense_total' => 'Expense Total',
+ 'enter_taxes' => 'Enter Taxes',
+ 'by_rate' => 'By Rate',
+ 'by_amount' => 'By Amount',
+ 'enter_amount' => 'Enter Amount',
+ 'before_taxes' => 'Before Taxes',
+ 'after_taxes' => 'After Taxes',
+ 'color' => 'Color',
+ 'show' => 'Show',
+ 'empty_columns' => 'Empty Columns',
+ 'project_name' => 'Project Name',
+ 'counter_pattern_error' => 'To use :client_counter please add either :client_number or :client_id_number to prevent conflicts',
+ 'this_quarter' => 'This Quarter',
+ 'to_update_run' => 'To update run',
+ 'registration_url' => 'Registration URL',
+ 'show_product_cost' => 'Show Product Cost',
+ 'complete' => 'Complete',
+ 'next' => 'Next',
+ 'next_step' => 'Next step',
+ 'notification_credit_sent_subject' => 'Credit :חשבונית נשלחה אל :client',
+ 'notification_credit_viewed_subject' => 'Credit :חשבונית נצפה ע"י :client',
+ 'notification_credit_sent' => 'The following client :client was emailed Credit :invoice for :amount.',
+ 'notification_credit_viewed' => 'The following client :client viewed Credit :credit for :amount.',
+ 'reset_password_text' => 'Enter your email to reset your password.',
+ 'password_reset' => 'Password reset',
+ 'account_login_text' => 'Welcome back! Glad to see you.',
+ 'request_cancellation' => 'Request cancellation',
+ 'delete_payment_method' => 'Delete Payment Method',
+ 'about_to_delete_payment_method' => 'You are about to delete the payment method.',
+ 'action_cant_be_reversed' => 'Action can\'t be reversed',
+ 'profile_updated_successfully' => 'The profile has been updated successfully.',
+ 'currency_ethiopian_birr' => 'Ethiopian Birr',
+ 'client_information_text' => 'Use a permanent address where you can receive mail.',
+ 'status_id' => 'סטטוס חשבונית',
+ 'email_already_register' => 'This email is already linked to an account',
+ 'locations' => 'Locations',
+ 'freq_indefinitely' => 'Indefinitely',
+ 'cycles_remaining' => 'Cycles remaining',
+ 'i_understand_delete' => 'I understand, delete',
+ 'download_files' => 'Download Files',
+ 'download_timeframe' => 'Use this link to download your files, the link will expire in 1 hour.',
+ 'new_signup' => 'New Signup',
+ 'new_signup_text' => 'A new account has been created by :user - :email - from IP address: :ip',
+ 'notification_payment_paid_subject' => 'Payment was made by :client',
+ 'notification_partial_payment_paid_subject' => 'Partial payment was made by :client',
+ 'notification_payment_paid' => 'A payment of :amount was made by client :client towards :invoice',
+ 'notification_partial_payment_paid' => 'A partial payment of :amount was made by client :client towards :invoice',
+ 'notification_bot' => 'Notification Bot',
+ 'invoice_number_placeholder' => 'חשבונית # :invoice',
+ 'entity_number_placeholder' => ':entity # :entity_number',
+ 'email_link_not_working' => 'If the button above isn\'t working for you, please click on the link',
+ 'display_log' => 'Display Log',
+ 'send_fail_logs_to_our_server' => 'Report errors in realtime',
+ 'setup' => 'Setup',
+ 'quick_overview_statistics' => 'Quick overview & statistics',
+ 'update_your_personal_info' => 'Update your personal information',
+ 'name_website_logo' => 'Name, website & logo',
+ 'make_sure_use_full_link' => 'Make sure you use full link to your site',
+ 'personal_address' => 'Personal address',
+ 'enter_your_personal_address' => 'Enter your personal address',
+ 'enter_your_shipping_address' => 'Enter your shipping address',
+ 'list_of_invoices' => 'רשימת חשבוניות',
+ 'with_selected' => 'With selected',
+ 'invoice_still_unpaid' => 'החשבונית עדיין לא שולמה לחץ על הכפתור להשלמת התשלום',
+ 'list_of_recurring_invoices' => 'רשימת חשבוניות מחזוריות',
+ 'details_of_recurring_invoice' => 'הנה כמה נתונים על חשבוניות מחזוריות',
+ 'cancellation' => 'Cancellation',
+ 'about_cancellation' => 'במקרה שאתה רוצה להפסיק את החשבונית החוזרת, אנא לחץ כדי לבקש את הביטול.',
+ 'cancellation_warning' => 'Warning! You are requesting a cancellation of this service. Your service may be cancelled with no further notification to you.',
+ 'cancellation_pending' => 'Cancellation pending, we\'ll be in touch!',
+ 'list_of_payments' => 'List of payments',
+ 'payment_details' => 'Details of the payment',
+ 'list_of_payment_invoices' => 'רשימת חשבוניות שיושפעו מהתשלום',
+ 'list_of_payment_methods' => 'List of payment methods',
+ 'payment_method_details' => 'Details of payment method',
+ 'permanently_remove_payment_method' => 'Permanently remove this payment method.',
+ 'warning_action_cannot_be_reversed' => 'Warning! This action can not be reversed!',
+ 'confirmation' => 'Confirmation',
+ 'list_of_quotes' => 'Quotes',
+ 'waiting_for_approval' => 'Waiting for approval',
+ 'quote_still_not_approved' => 'This quote is still not approved',
+ 'list_of_credits' => 'Credits',
+ 'required_extensions' => 'Required extensions',
+ 'php_version' => 'PHP version',
+ 'writable_env_file' => 'Writable .env file',
+ 'env_not_writable' => '.env file is not writable by the current user.',
+ 'minumum_php_version' => 'Minimum PHP version',
+ 'satisfy_requirements' => 'Make sure all requirements are satisfied.',
+ 'oops_issues' => 'Oops, something does not look right!',
+ 'open_in_new_tab' => 'Open in new tab',
+ 'complete_your_payment' => 'Complete payment',
+ 'authorize_for_future_use' => 'Authorize payment method for future use',
+ 'page' => 'Page',
+ 'per_page' => 'Per page',
+ 'of' => 'Of',
+ 'view_credit' => 'View Credit',
+ 'to_view_entity_password' => 'To view the :entity you need to enter password.',
+ 'showing_x_of' => 'Showing :first to :last out of :total results',
+ 'no_results' => 'No results found.',
+ 'payment_failed_subject' => 'Payment failed for Client :client',
+ 'payment_failed_body' => 'A payment made by client :client failed with message :message',
+ 'register' => 'Register',
+ 'register_label' => 'Create your account in seconds',
+ 'password_confirmation' => 'Confirm your password',
+ 'verification' => 'Verification',
+ 'complete_your_bank_account_verification' => 'Before using a bank account it must be verified.',
+ 'checkout_com' => 'Checkout.com',
+ 'footer_label' => 'Copyright © :year :company.',
+ 'credit_card_invalid' => 'Provided credit card number is not valid.',
+ 'month_invalid' => 'Provided month is not valid.',
+ 'year_invalid' => 'Provided year is not valid.',
+ 'https_required' => 'HTTPS is required, form will fail',
+ 'if_you_need_help' => 'If you need help you can post to our',
+ 'update_password_on_confirm' => 'After updating password, your account will be confirmed.',
+ 'bank_account_not_linked' => 'To pay with a bank account, first you have to add it as payment method.',
+ 'application_settings_label' => 'Let\'s store basic information about your Invoice Ninja!',
+ 'recommended_in_production' => 'Highly recommended in production',
+ 'enable_only_for_development' => 'Enable only for development',
+ 'test_pdf' => 'Test PDF',
+ 'checkout_authorize_label' => 'Checkout.com can be can saved as payment method for future use, once you complete your first transaction. Don\'t forget to check "Store credit card details" during payment process.',
+ 'sofort_authorize_label' => 'Bank account (SOFORT) can be can saved as payment method for future use, once you complete your first transaction. Don\'t forget to check "Store payment details" during payment process.',
+ 'node_status' => 'Node status',
+ 'npm_status' => 'NPM status',
+ 'node_status_not_found' => 'I could not find Node anywhere. Is it installed?',
+ 'npm_status_not_found' => 'I could not find NPM anywhere. Is it installed?',
+ 'locked_invoice' => 'חשבונית זו נעולה ולא ניתן לשנות אותה',
+ 'downloads' => 'Downloads',
+ 'resource' => 'Resource',
+ 'document_details' => 'Details about the document',
+ 'hash' => 'Hash',
+ 'resources' => 'Resources',
+ 'allowed_file_types' => 'Allowed file types:',
+ 'common_codes' => 'Common codes and their meanings',
+ 'payment_error_code_20087' => '20087: Bad Track Data (invalid CVV and/or expiry date)',
+ 'download_selected' => 'Download selected',
+ 'to_pay_invoices' => 'כדי לשלם חשבוניות, אתה צריך',
+ 'add_payment_method_first' => 'add payment method',
+ 'no_items_selected' => 'No items selected.',
+ 'payment_due' => 'Payment due',
+ 'account_balance' => 'Account balance',
+ 'thanks' => 'Thanks',
+ 'minimum_required_payment' => 'Minimum required payment is :amount',
+ 'under_payments_disabled' => 'Company doesn\'t support under payments.',
+ 'over_payments_disabled' => 'Company doesn\'t support over payments.',
+ 'saved_at' => 'Saved at :time',
+ 'credit_payment' => 'יתרת זכות עבור :invoice_number',
+ 'credit_subject' => 'New credit :number from :account',
+ 'credit_message' => 'To view your credit for :amount, click the link below.',
+ 'payment_type_Crypto' => 'Cryptocurrency',
+ 'payment_type_Credit' => 'Credit',
+ 'store_for_future_use' => 'Store for future use',
+ 'pay_with_credit' => 'Pay with credit',
+ 'payment_method_saving_failed' => 'Payment method can\'t be saved for future use.',
+ 'pay_with' => 'Pay with',
+ 'n/a' => 'N/A',
+ 'by_clicking_next_you_accept_terms' => 'By clicking "Next step" you accept terms.',
+ 'not_specified' => 'Not specified',
+ 'before_proceeding_with_payment_warning' => 'Before proceeding with payment, you have to fill following fields',
+ 'after_completing_go_back_to_previous_page' => 'After completing, go back to previous page.',
+ 'pay' => 'Pay',
+ 'instructions' => 'Instructions',
+ 'notification_invoice_reminder1_sent_subject' => 'תזכורת 1 עבור חשבונית :invoice נשלחה אל :client',
+ 'notification_invoice_reminder2_sent_subject' => 'תזכורת 2 עבור חשבונית :invoice נשלחה אל :client',
+ 'notification_invoice_reminder3_sent_subject' => 'תזכורת 3 עבור חשבונית :invoice נשלחה אל :client',
+ 'notification_invoice_reminder_endless_sent_subject' => 'תזכורת עבור חשבונית :invoice נשלחה אל :client',
+ 'assigned_user' => 'Assigned User',
+ 'setup_steps_notice' => 'To proceed to next step, make sure you test each section.',
+ 'setup_phantomjs_note' => 'Note about Phantom JS. Read more.',
+ 'minimum_payment' => 'Minimum Payment',
+ 'no_action_provided' => 'No action provided. If you believe this is wrong, please contact the support.',
+ 'no_payable_invoices_selected' => 'לא נבחרו חשבוניות לתשלום. ודא שאינך מנסה לשלם טיוטת חשבונית או חשבונית עם יתרה אפסית.',
+ 'required_payment_information' => 'Required payment details',
+ 'required_payment_information_more' => 'To complete a payment we need more details about you.',
+ 'required_client_info_save_label' => 'We will save this, so you don\'t have to enter it next time.',
+ 'notification_credit_bounced' => 'We were unable to deliver Credit :invoice to :contact. \n :error',
+ 'notification_credit_bounced_subject' => 'Unable to deliver Credit :invoice',
+ 'save_payment_method_details' => 'Save payment method details',
+ 'new_card' => 'New card',
+ 'new_bank_account' => 'New bank account',
+ 'company_limit_reached' => 'Limit of 10 companies per account.',
+ 'credits_applied_validation' => 'סך הזיכויים שהוחלו לא יכול להיות יותר מסך החשבוניות',
+ 'credit_number_taken' => 'Credit number already taken',
+ 'credit_not_found' => 'Credit not found',
+ 'invoices_dont_match_client' => 'חשבוניות נבחרות אינן מלקוח אחד',
+ 'duplicate_credits_submitted' => 'Duplicate credits submitted.',
+ 'duplicate_invoices_submitted' => 'הוגשו חשבוניות כפולות.',
+ 'credit_with_no_invoice' => 'עליך להגדיר חשבונית בעת שימוש באשראי בתשלום',
+ 'client_id_required' => 'Client id is required',
+ 'expense_number_taken' => 'Expense number already taken',
+ 'invoice_number_taken' => 'מספר החשבונית כבר בשימוש',
+ 'payment_id_required' => 'Payment `id` required.',
+ 'unable_to_retrieve_payment' => 'Unable to retrieve specified payment',
+ 'invoice_not_related_to_payment' => 'חשבונית מספר :invoice אינה מקושרת לתשלום זה',
+ 'credit_not_related_to_payment' => 'Credit id :credit is not related to this payment',
+ 'max_refundable_invoice' => 'אתה מנסה לזכות יותר מהמותר לחשבונית מספר :invoice, הסכום המקסימלי לזיכוי הוא :amount',
+ 'refund_without_invoices' => 'ניסיון להחזיר תשלום עם חשבוניות מצורפות, נא לציין חשבוניות תקפות להחזר.',
+ 'refund_without_credits' => 'Attempting to refund a payment with credits attached, please specify valid credits/s to be refunded.',
+ 'max_refundable_credit' => 'Attempting to refund more than allowed for credit :credit, maximum refundable amount is :amount',
+ 'project_client_do_not_match' => 'Project client does not match entity client',
+ 'quote_number_taken' => 'Quote number already taken',
+ 'recurring_invoice_number_taken' => 'חשבונית מחזורית מספר :number כבר בשימוש',
+ 'user_not_associated_with_account' => 'User not associated with this account',
+ 'amounts_do_not_balance' => 'Amounts do not balance correctly.',
+ 'insufficient_applied_amount_remaining' => 'Insufficient applied amount remaining to cover payment.',
+ 'insufficient_credit_balance' => 'Insufficient balance on credit.',
+ 'one_or_more_invoices_paid' => 'אחת או יותר מהחשבוניות הללו שולמו',
+ 'invoice_cannot_be_refunded' => 'חשבונית מספר :number לא יכולה להיות מזוכה',
+ 'attempted_refund_failed' => 'Attempting to refund :amount only :refundable_amount available for refund',
+ 'user_not_associated_with_this_account' => 'This user is unable to be attached to this company. Perhaps they have already registered a user on another account?',
+ 'migration_completed' => 'Migration completed',
+ 'migration_completed_description' => 'Your migration has completed, please review your data after logging in.',
+ 'api_404' => '404 | Nothing to see here!',
+ 'large_account_update_parameter' => 'Cannot load a large account without a updated_at parameter',
+ 'no_backup_exists' => 'No backup exists for this activity',
+ 'company_user_not_found' => 'Company User record not found',
+ 'no_credits_found' => 'No credits found.',
+ 'action_unavailable' => 'The requested action :action is not available.',
+ 'no_documents_found' => 'No Documents Found',
+ 'no_group_settings_found' => 'No group settings found',
+ 'access_denied' => 'Insufficient privileges to access/modify this resource',
+ 'invoice_cannot_be_marked_paid' => 'חשבונית אינה יכולה להיות מסומנת כשולמה',
+ 'invoice_license_or_environment' => 'Invalid license, or invalid environment :environment',
+ 'route_not_available' => 'Route not available',
+ 'invalid_design_object' => 'Invalid custom design object',
+ 'quote_not_found' => 'Quote/s not found',
+ 'quote_unapprovable' => 'Unable to approve this quote as it has expired.',
+ 'scheduler_has_run' => 'Scheduler has run',
+ 'scheduler_has_never_run' => 'Scheduler has never run',
+ 'self_update_not_available' => 'Self update not available on this system.',
+ 'user_detached' => 'User detached from company',
+ 'create_webhook_failure' => 'Failed to create Webhook',
+ 'payment_message_extended' => 'תודה על התשלום בסך :amount עבור :invoice',
+ 'online_payments_minimum_note' => 'Note: Online payments are supported only if amount is bigger than $1 or currency equivalent.',
+ 'payment_token_not_found' => 'Payment token not found, please try again. If an issue still persist, try with another payment method',
+ 'vendor_address1' => 'Vendor Street',
+ 'vendor_address2' => 'Vendor Apt/Suite',
+ 'partially_unapplied' => 'Partially Unapplied',
+ 'select_a_gmail_user' => 'Please select a user authenticated with Gmail',
+ 'list_long_press' => 'List Long Press',
+ 'show_actions' => 'Show Actions',
+ 'start_multiselect' => 'Start Multiselect',
+ 'email_sent_to_confirm_email' => 'An email has been sent to confirm the email address',
+ 'converted_paid_to_date' => 'Converted Paid to Date',
+ 'converted_credit_balance' => 'Converted Credit Balance',
+ 'converted_total' => 'Converted Total',
+ 'reply_to_name' => 'Reply-To Name',
+ 'payment_status_-2' => 'Partially Unapplied',
+ 'color_theme' => 'Color Theme',
+ 'start_migration' => 'Start Migration',
+ 'recurring_cancellation_request' => 'בקשה לביטול חשבונית חוזרת מאת :contact',
+ 'recurring_cancellation_request_body' => ':contact from Client :client requested to cancel Recurring Invoice :invoice',
+ 'hello' => 'Hello',
+ 'group_documents' => 'Group documents',
+ 'quote_approval_confirmation_label' => 'Are you sure you want to approve this quote?',
+ 'migration_select_company_label' => 'Select companies to migrate',
+ 'force_migration' => 'Force migration',
+ 'require_password_with_social_login' => 'Require Password with Social Login',
+ 'stay_logged_in' => 'Stay Logged In',
+ 'session_about_to_expire' => 'Warning: Your session is about to expire',
+ 'count_hours' => ':count Hours',
+ 'count_day' => '1 Day',
+ 'count_days' => ':count Days',
+ 'web_session_timeout' => 'Web Session Timeout',
+ 'security_settings' => 'Security Settings',
+ 'resend_email' => 'Resend Email',
+ 'confirm_your_email_address' => 'Please confirm your email address',
+ 'freshbooks' => 'FreshBooks',
+ 'invoice2go' => 'Invoice2go',
+ 'invoicely' => 'Invoicely',
+ 'waveaccounting' => 'Wave Accounting',
+ 'zoho' => 'Zoho',
+ 'accounting' => 'Accounting',
+ 'required_files_missing' => 'Please provide all CSVs.',
+ 'migration_auth_label' => 'Let\'s continue by authenticating.',
+ 'api_secret' => 'API secret',
+ 'migration_api_secret_notice' => 'You can find API_SECRET in the .env file or Invoice Ninja v5. If property is missing, leave field blank.',
+ 'billing_coupon_notice' => 'Your discount will be applied on the checkout.',
+ 'use_last_email' => 'Use last email',
+ 'activate_company' => 'Activate Company',
+ 'activate_company_help' => 'אפשר אימיילים, חשבוניות חוזרות והתראות',
+ 'an_error_occurred_try_again' => 'An error occurred, please try again',
+ 'please_first_set_a_password' => 'Please first set a password',
+ 'changing_phone_disables_two_factor' => 'Warning: Changing your phone number will disable 2FA',
+ 'help_translate' => 'Help Translate',
+ 'please_select_a_country' => 'Please select a country',
+ 'disabled_two_factor' => 'Successfully disabled 2FA',
+ 'connected_google' => 'Successfully connected account',
+ 'disconnected_google' => 'Successfully disconnected account',
+ 'delivered' => 'Delivered',
+ 'spam' => 'Spam',
+ 'view_docs' => 'View Docs',
+ 'enter_phone_to_enable_two_factor' => 'Please provide a mobile phone number to enable two factor authentication',
+ 'send_sms' => 'Send SMS',
+ 'sms_code' => 'SMS Code',
+ 'connect_google' => 'Connect Google',
+ 'disconnect_google' => 'Disconnect Google',
+ 'disable_two_factor' => 'Disable Two Factor',
+ 'invoice_task_datelog' => 'תאריך יומן משימות חשבונית',
+ 'invoice_task_datelog_help' => 'הוסף פרטי תאריך לפריטי החשבונית',
+ 'promo_code' => 'Promo code',
+ 'recurring_invoice_issued_to' => 'חשבונית חוזרת שהונפקה ל',
+ 'subscription' => 'Subscription',
+ 'new_subscription' => 'New Subscription',
+ 'deleted_subscription' => 'Successfully deleted subscription',
+ 'removed_subscription' => 'Successfully removed subscription',
+ 'restored_subscription' => 'Successfully restored subscription',
+ 'search_subscription' => 'Search 1 Subscription',
+ 'search_subscriptions' => 'Search :count Subscriptions',
+ 'subdomain_is_not_available' => 'Subdomain is not available',
+ 'connect_gmail' => 'Connect Gmail',
+ 'disconnect_gmail' => 'Disconnect Gmail',
+ 'connected_gmail' => 'Successfully connected Gmail',
+ 'disconnected_gmail' => 'Successfully disconnected Gmail',
+ 'update_fail_help' => 'Changes to the codebase may be blocking the update, you can run this command to discard the changes:',
+ 'client_id_number' => 'Client ID Number',
+ 'count_minutes' => ':count Minutes',
+ 'password_timeout' => 'Password Timeout',
+ 'shared_invoice_credit_counter' => 'מונה חשבונית/אשראי משותף',
+
+ 'activity_80' => ':user created subscription :subscription',
+ 'activity_81' => ':user updated subscription :subscription',
+ 'activity_82' => ':user archived subscription :subscription',
+ 'activity_83' => ':user deleted subscription :subscription',
+ 'activity_84' => ':user restored subscription :subscription',
+ 'amount_greater_than_balance_v5' => 'הסכום גדול מיתרת החשבונית. אתה לא יכול לשלם יותר מסך חשבונית.',
+ 'click_to_continue' => 'Click to continue',
+
+ 'notification_invoice_created_body' => 'החשבונית הבאה :invoice נוצרה עבור לקוח :client for :amount.',
+ 'notification_invoice_created_subject' => 'Invoice :חשבונית הופקה עבור :client',
+ 'notification_quote_created_body' => 'The following quote :invoice was created for client :client for :amount.',
+ 'notification_quote_created_subject' => 'Quote :invoice was created for :client',
+ 'notification_credit_created_body' => 'The following credit :invoice was created for client :client for :amount.',
+ 'notification_credit_created_subject' => 'Credit :invoice was created for :client',
+ 'max_companies' => 'Maximum companies migrated',
+ 'max_companies_desc' => 'You have reached your maximum number of companies. Delete existing companies to migrate new ones.',
+ 'migration_already_completed' => 'Company already migrated',
+ 'migration_already_completed_desc' => 'Looks like you already migrated :company_name to the V5 version of the Invoice Ninja. In case you want to start over, you can force migrate to wipe existing data.',
+ 'payment_method_cannot_be_authorized_first' => 'This payment method can be can saved for future use, once you complete your first transaction. Don\'t forget to check "Store credit card details" during payment process.',
+ 'new_account' => 'New account',
+ 'activity_100' => ':user created recurring invoice :recurring_invoice',
+ 'activity_101' => ':user updated recurring invoice :recurring_invoice',
+ 'activity_102' => ':user archived recurring invoice :recurring_invoice',
+ 'activity_103' => ':user deleted recurring invoice :recurring_invoice',
+ 'activity_104' => ':user restored recurring invoice :recurring_invoice',
+ 'new_login_detected' => 'New login detected for your account.',
+ 'new_login_description' => 'You recently logged in to your Invoice Ninja account from a new location or device: